1. 结构体的声明
1.1 结构的基础知识
结构是一些值的集合,这些值称为成员变量。结构的每个成员可以是不同类型的变量。
1.2 结构的声明
struct tag
{
member-list;
}variable-list;
例如描述一个学生:
typedef struct Stu
{
char name[20];//名字
int age;//年龄
char sex[5];//性别
char id[20];//学号
}Stu;//分号不能丢
struct Stu
{
//结构体成员
char name[20];
int age;
char sex[10];
float score;
} s4,s5;//s4, s5也是结构体变量的 - 全局的
struct Stu s6;
int main()
{
struct Stu s1, s2, s3;//s1,s2,s3也是结构体变量的 - 局部的
return 0;
}
注意分号!!!!!
1.3 结构成员的类型
结构的成员可以是标量、数组、指针,甚至是其他结构体。
struct Stu
{
//结构体成员
char name[20];
int age;
char sex[10];
float score;
};
int main()
{
struct Stu s1 = { "lay", 32, "man", 99.9f };
struct Stu s2 = { "winter", 21, "woman", 99.1f };
printf("%s %d %s %.1f\n", s1.name, s2.age, s2.sex, s2.score);
return 0;
}
//结构体传参---结构体传参&地址传参
struct S
{
int a;
char c;
};
struct P
{
double d;
struct S s;
float f;
};
void Print1(struct P sp)
{
//结构体变量.成员
printf("%lf %d %c %f\n", sp.d, sp.s.a, sp.s.c, sp.f);
}
void Print2(struct P* p1)
{
printf("%lf %d %c %f\n", (*p1).d, (*p1).s.a, (*p1).s.c, (*p1).f);
//结构体指针->成员
printf("%lf %d %c %f\n", p1->d, p1->s.a, p1->s.c, p1->f);
}
int main()
{
struct P p = { 5.5, {100, 'b'}, 3.14f};
scanf("%d %c", &(p.s.a), &(p.s.c));
printf("%lf %d %c %f\n", p.d, p.s.a, p.s.c, p.f);
Print1(p);//传值调用
Print2(&p);//传址调用
return 0;
}
//pq->a pq是指针,可以通过箭头的方向找到他的成员
//首选print2函数
//原因:
函数传参的时候,参数是需要压栈的。 如果传递一个结构体对象的时候,结构体过大,参数压栈的的系统开销比较大,所以会导致性能的下降。
//结论: 结构体传参的时候,要传结构体的地址。
1.4 结构体变量的定义和初始化
有了结构体类型,那如何定义变量,其实很简单。
struct Point
{
int x;
int y;
}p1; //声明类型的同时定义变量p1
struct Point p2; //定义结构体变量p2
//初始化:定义变量的同时赋初值