标签:
结构体内部的元素,也就是组成成分,我们一般称为"成员"。
结构体的一般定义形式为:
struct是关键字,是结构体类型的标志。
将各成员的初值,按顺序地放在一对大括号{}中,并用逗号分隔,一一对应赋值。
比如初始化Student结构体变量stu
1 struct Student { 2 char *name; 3 int age; 4 }; 5 6 struct Student stu; 7 8 // 访问stu的age成员 9 stu.age = 27;
第9行对结构体的age成员进行了赋值。"."称为成员运算符,它在所有运算符中优先级最高
1 struct Date { 2 int year; 3 int month; 4 int day; 5 }; 6 7 struct Student { 8 char *name; 9 struct Date birthday; 10 }; 11 12 struct Student stu; 13 14 stu.birthday.year = 1986; 15 stu.birthday.month = 9; 16 stu.birthday.day = 10;
注意第14行以后的代码
注意第9行。输出结果为:
跟结构体变量一样,结构体数组也有3种定义方式
struct Student { char *name; int age; }; struct Student stu[5]; //定义1
struct Student { char *name; int age; } stu[5]; //定义2
struct { char *name; int age; } stu[5]; //定义3
上面3种方式,都是定义了一个变量名为stu的结构体数组,数组元素个数是5
struct { char *name; int age; } stu[2] = { {"MJ", 27}, {"JJ", 30} };
也可以用数组下标访问每一个结构体元素,跟普通数组的用法是一样的
将结构体变量作为函数参数进行传递时,其实传递的是全部成员的值,也就是将实参中成员的值一一赋值给对应的形参成员。因此,形参的改变不会影响到实参。
1 #include <stdio.h> 2 3 // 定义一个结构体 4 struct Student { 5 int age; 6 }; 7 8 void test(struct Student stu) { 9 printf("修改前的形参:%d \n", stu.age); 10 // 修改实参中的age 11 stu.age = 10; 12 13 printf("修改后的形参:%d \n", stu.age); 14 } 15 16 int main(int argc, const char * argv[]) { 17 18 struct Student stu = {30}; 19 printf("修改前的实参:%d \n", stu.age); 20 21 // 调用test函数 22 test(stu); 23 24 25 printf("修改后的实参:%d \n", stu.age); 26 return 0; 27 }
* 首先在第4行定义了一个结构体类型Student
* 在第18行定义了一个结构体变量stu,并在第22行将其作为实参传入到test函数
输出结果为:,形参是改变了,但是实参一直没有变过
* 每个结构体变量都有自己的存储空间和地址,因此指针也可以指向结构体变量
* 结构体指针变量的定义形式:struct 结构体名称 *指针变量名
* 有了指向结构体的指针,那么就有3种访问结构体成员的方式
1 #include <stdio.h> 2 3 int main(int argc, const char * argv[]) { 4 // 定义一个结构体类型 5 struct Student { 6 char *name; 7 int age; 8 }; 9 10 // 定义一个结构体变量 11 struct Student stu = {"MJ", 27}; 12 13 // 定义一个指向结构体的指针变量 14 struct Student *p; 15 16 // 指向结构体变量stu 17 p = &stu; 18 19 /* 20 这时候可以用3种方式访问结构体的成员 21 */ 22 // 方式1:结构体变量名.成员名 23 printf("name=%s, age = %d \n", stu.name, stu.age); 24 25 // 方式2:(*指针变量名).成员名 26 printf("name=%s, age = %d \n", (*p).name, (*p).age); 27 28 // 方式3:指针变量名->成员名 29 printf("name=%s, age = %d \n", p->name, p->age); 30 31 return 0; 32 }
标签:
原文地址:http://www.cnblogs.com/songyan-Z221/p/5820105.html