char *name;
int age;
} stu;
結構體變量名爲stu
3.直接定義結構體類型變量,省略類型名
struct {
char *name;
int age;
} stu;
結構體變量名爲stu
以下作法是錯誤的,注意第3行算法
struct Student {
int age;
struct Student stu;//錯誤 };
struct Date {
int year;
int month;
int day;
}; struct Student {
char *name;
struct Date birthday;//能夠 };
1 struct Student {
2 char *name;
3 int age;
4 };
5
6 struct Student stu;
第1~4行並無分配存儲空間,當執行到第6行時,系統纔會分配存儲空間給stu變量。數組
好比下面的Student結構體:函數
1 struct Student {
2 char *name; // 姓名
3 int age; // 年齡
4 float height; // 身高
5 };
將各成員的初值,按順序地放在一對大括號{}中,並用逗號分隔,一一對應賦值。spa
好比初始化Student結構體變量stu3d
1 struct Student {
2 char *name;
3 int age;
4 };
5
6 struct Student stu = {"MJ", 27};
只能在定義變量的同時進行初始化賦值,初始化賦值和變量的定義不能分開,下面的作法是錯誤的:指針
struct Student stu;
stu = {"MJ", 27};
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成員進行了賦值。"."稱爲成員運算符,它在全部運算符中優先級最高xml
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行之後的代碼遞歸
1 struct Student {
2 char *name;
3 int age;
4 };
5
6 struct Student stu1 = {"MJ", 27};
7
8 // 將stu1直接賦值給stu2
9 struct Student stu2 = stu1;
10
11 printf("age is %d", stu2.age);
注意第9行。輸出結果爲:內存
跟結構體變量同樣,結構體數組也有3種定義方式get
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 }