我想要做的是创建一个结构数组,并通过一个函数初始化它,但是我得到了一些错误,
lab2.c:20:2: error: declaration of anonymous struct must be a definition
struct *person users[] = userInput();
^
lab2.c:20:2: warning: declaration does not declare anything[-Wmissing-declarations]
struct *person users[] = userInput();
^~~~~~
lab2.c:24:1: error: declaration of anonymous struct must be a definition
struct * userInput() {
^
lab2.c:48:2: error: expected identifier or '('
}
^
1 warning and 3 errors generated.
以下是我的代码,精简版,如果需要更多信息,请告诉我,我对C很新,所以我猜这是我的一个明显错误。
int main() {
struct person users = userInput();
return 0;
}
struct * userInput() {
struct person users[30];
...do stuff to struct here...
return *users;
}
答案 0 :(得分:3)
当声明指向标记为struct
的指针时,星号将跟随标记,而不是关键字struct
。要声明动态分配的数组,请使用不带方括号的星号:
struct person *users = userInput();
返回指向局部变量的指针是未定义的行为:
struct person users[30];
// This is wrong
return *users;
使用动态分配的内存:
struct person *users = malloc(sizeof(struct user) * 30);
完成数据后,您需要在调用者中free
。
答案 1 :(得分:1)
好的,你的代码有很多问题。当您执行以下操作时忽略语法内容:
struct person users[30]
该函数返回时,该内存是临时的并释放。最有可能给你一个分段错误或损坏的数据。你需要这样的东西:
#include <stdlib.h>
typedef struct { char name[30]; int age; char gender; } person;
person* userInput();
int main() {
person* users = userInput();
return 0;
}
person* userInput() {
person* users = malloc( 30 * sizeof(person) );
/* Init stuff here */
return users;
}