我有以下代码片段:

typedef struct person {
    char *first ;
    char *last ;
    char *location ;
    struct person *next_person ;
} person ;

person *make_person(char *first, char *last, char *location) {
    person *personp = (person*) malloc(sizeof(struct person));

    personp->first = (char*) malloc(sizeof(strlen(first) + 1));
    personp->last = (char*) malloc(sizeof(strlen(last) + 1));
    personp->location = (char*) malloc(sizeof(strlen(location) + 1));

    strcpy(personp->first, first);
    strcpy(personp->last, last);
    strcpy(personp->location, location);

    personp->next_person = NULL;

    return personp ;
}

当我将其与其余代码集成时,它开始执行,然后继续弹道。
*** glibc detected *** ./level1: free(): invalid next size (fast): 0x0804a188 ***

知道出了什么问题吗?我觉得这与我的malloc有关。

最佳答案

你做:

personp->first = (char*) malloc(sizeof(strlen(first) + 1));

这是不正确的。您不应该像以前那样使用sizeof。你需要:
personp->first = malloc(strlen(first) + 1);

07-28 08:06