结构体类型中的成员名可以和结构体外的变量名相同 结构体最好定义在main函数以外,作为全局变量
定义结构体和变量的同时直接为结构体变量赋值: struct student{ int num; char name[20]; float score; char department[30]; }stu1 = {10001,“陈冲”,87.5,“计算机系”};
定义结构体变量是为变量赋值: struct student{ int num; char name[20]; float score; char department[30]; }; struct student stu1 = {10001,“陈冲”,87.5,“计算机系”};
定义结构体内变量不能够赋值: struct student{ float score1; float score2; float score3; float aver = (score1+score2+score3)/3;//错误
1)结构体变量作为函数参数[实参与形参]时,形参结构体变量成员值的改变不影响对应的实参结构体变量成员值的改变。
2)结构体数组或结构体指针变量作为函数参数[实参与形参]时,形参结构体数组元素[或形参结构体指针变量指向的变量]成员值的改变将影响对应的实参构体数组[或实参结构体指针变量指向的变量]成员值的改变。
定义在main函数中的结构体无法被子函数找到
struct student { int num; char name[20]; float score1; float score2; float score3; float aver; } stu1[4] = { {10101, “张鹏”, 78, 88, 87}, {10102, “陈越”, 92, 93, 88}, {10103, “王欢”, 91, 94, 79}, {10104, “王梅”, 89, 78, 88}},temp;//stu1[4]数组的值没有被宏定义,以后任然可以被赋值改变:如下 if (max != stu1[i].aver) { temp = stu1[i]; stu1[i] = stu1[k]; stu1[k] = temp; }
在c语言中(*p).num == p->num
//结构体数组地址递增, 取值符外面必须套一层括号 for (int i = 0; i < 4; i++) printf("%d %s %f %f %f\n", ( * (temp+i)).num,( * (temp+i)).name,( * (temp+i)).score1, ( * (temp+i)).score2, (*(temp+i)).score3); 以上代码等价于: for (int i = 0; i < 4; i++) printf("%d %s %f %f %f\n", (temp+i)->num,(temp+i)->name,(temp+i)->score1, (temp+i)->score2, (temp+i)->score3);
函数申明不能写在结构体定义上面不然会报错
传递结构体实参,形参改变不会改变实参结构体值 传递结构体实参指针,形参改变会改变实参结构体值:repair(&stu1);stu1是结构体(单一结构体需要取址符,结构体数组不用取址符),repair是子函数
|