使用帮助程序函数初始化结构时出错

Error initializing structures with helper function

提问人:Youssef Dehane 提问时间:3/18/2020 最后编辑:templatetypedefYoussef Dehane 更新时间:3/18/2020 访问量:61

问:

#include <stdio.h>
 int j=0;

struct student
{
int CNE;
char Nom[20];
char Prenom[20];
char Ville[20];
float Note[3];
float Moyenne;
};

void read_struct(struct student stu)
{   
    stu.Moyenne=0;
    printf("Nom de l'etudiant:\t ");
    scanf(" %s",stu.Nom);
    printf("Prenom de l'etudiant:\t ");
    scanf(" %s",stu.Prenom);
    printf("CNE de l'etudiant:\t ");
    scanf("%d",&stu.CNE);

  }

 int main()
{   
struct student stu[10];
read_struct(stu[0]);
read_struct(stu[1]);
printf("%s \n %s \n",stu[0].Nom,stu[1].Nom);
printf("%d \n %d",stu[0].CNE,stu[1].CNE);

}

编译后我得到了一些奇怪的输出,用户的输入在回调后没有保存在结构中。(对不起我的英语)

c 结构 按值传递

评论

1赞 David C. Rankin 3/18/2020
read_struct(struct student stu)接收结构的副本,因此在该函数中所做的任何更改都不会在 中重新看到。C 是按值传递的。您需要传递结构的地址,以便在函数中更新该地址的结构。您在 main 中的调用将是,例如main()read_struct(struct student *stu)read_struct(&stu[0]);
0赞 Jeff 3/18/2020
通过值传递 U,以便该函数正在修改结构的本地副本。搜索“按值传递”和“按引用传递”struct studentread_struct()
0赞 Bodo 3/18/2020
你按值传递结构,即你的函数使用结构的本地副本,该副本不会传递给调用函数。将函数参数更改为指向结构的指针,并传递结构的地址read_structmainmain
0赞 Youssef Dehane 3/18/2020
这行得通,谢谢。但我不得不改变斯图。Nom 到 stu->Nom,我从警告中得到它并且它有效,你能向我解释为什么我也要更改它吗?谢谢你的回答。

答:

1赞 templatetypedef 3/18/2020 #1

看看这个函数是如何定义的:

void read_struct(struct student stu) {
    ...
}

调用此函数时,它会传入 的副本,因此该函数的工作是填充副本而不是原始副本。struct student

您可能希望此函数采用指向以下内容的指针:struct student

void read_struct(struct student* stu) {
    /* You'll need to change things here */
}

read_student(&stu[0]);
read_student(&stu[1]);

希望这有帮助!

评论

0赞 Youssef Dehane 3/18/2020
谢谢你的帮助。