使用辅助函数初始化结构时出错
Error initializing structures with helper function
#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);
}
编译后我得到了一些奇怪的输出,用户的输入在回调后没有保存在结构中。(对不起我的英语)
看看这个函数是怎么定义的:
void read_struct(struct student stu) {
...
}
当您调用此函数时,它会传入 struct student
的 copy,因此该函数会完成其工作以填充副本而不是原始文件。
您可能希望此函数接收指向 struct student
:
的指针
void read_struct(struct student* stu) {
/* You'll need to change things here */
}
read_student(&stu[0]);
read_student(&stu[1]);
希望对您有所帮助!
#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);
}
编译后我得到了一些奇怪的输出,用户的输入在回调后没有保存在结构中。(对不起我的英语)
看看这个函数是怎么定义的:
void read_struct(struct student stu) {
...
}
当您调用此函数时,它会传入 struct student
的 copy,因此该函数会完成其工作以填充副本而不是原始文件。
您可能希望此函数接收指向 struct student
:
void read_struct(struct student* stu) {
/* You'll need to change things here */
}
read_student(&stu[0]);
read_student(&stu[1]);
希望对您有所帮助!