C:指向结构元素的指针

时间:2017-12-12 20:02:45

标签: c

我尝试从过去的问题中阅读并观看youtube视频,但我不明白。

我有一个名为info的结构程序。我创建了一个函数,它添加了结构元素并返回指向它的指针。 然后我想通过指针使用元素字段。

#include <stdio.h>
#include <string.h>
#include <stdlib.h>
#include <getopt.h>
#include <unistd.h>

struct Info {
    char* name;
    char type;
    char* path;
};

struct Info* AddInfo(char* input);
int main(void) {

    char input[128];

    fgets(input, sizeof(input), stdin);

    struct info *Puser;
    Puser=malloc(sizeof(AddInfo(input)));
    &Puser=AddInfo(input);
    //here is my problem. 
    return 0;
}

struct Info *AddInfo( char* input) {
    struct Info user1;
    struct info* Puser=0;
    char *s;

    //assign to name
    for (int i = strlen(input) - 1; i >= 0; i--) {
        if (input[i] == '/') {

            s = malloc(sizeof(input));
            strncpy(s, input + i + 1, i);

            user1.name = malloc(sizeof(s));
            if (user1.name == NULL) {
                fprintf(stderr, "%s\n", "Error in malloc");
            }

            strcpy(user1.name, s);
            user1.name[i] = '\0';
            free(s);
            break;
        }
    }
    //assign to type
    if ((user1.type = malloc(sizeof(user1.type)) == NULL)) {
        fprintf(stderr, "%s\n", "Error in malloc");
    }
    if (input[strlen(input) - 1] == '/') {
        user1.type = 'd';
    } else {
        user1.type = 'f';
    }
    //assign to path
    user1.path = malloc(sizeof(input));

    if (user1.path == NULL) {
        fprintf(stderr, "%s\n", "Error in malloc");
    }
    strcpy(user1.path, input);

    // printf("%s \n", user1.path);
    // printf("%s\n", user1.name);
    // free(user1.name);

    Puser= &user1;

    return Puser;
}

我该如何正确地做到这一点?如何通过函数外部的指针获取user1并访问它?

提前致谢

1 个答案:

答案 0 :(得分:1)

您的函数AddUser将所有数据分配给函数局部变量然后返回指向该数据的指针,但是一旦函数返回本地不再有效,您需要在AddUser而不是main中分配新的Info并将数据分配给该分配的实例并返回该指针。

typedef struct Info {
    char * name;
    ...
} Info;

Info * AddUser(char const * name);

int main()
{
    Info * pNewUser = AddUser("Bob");
    ...
    free(pNewUser);
    return 0;

}

Info AddUser(char const * name)
{
    if(!name || !*name)
        return NULL;

    Info * pNew = malloc(sizeof(Info));
    if(!pNew)
        return NULL;

    size_t len = strlen(name);
    pNew->name = malloc(len+1);
    if(!pNew->name)
    {
        free(pNew);
        return NULL;
    }

    strcpy(pNew->name, name);
    return pNew;
}