结构体
基本概念:用于用户自己定义的数据类型,允许用户存储不同的数据类型;
结构体定义和使用:
语法:struct 结构体名 { 结构体成员列表 }; 通过结构体创建变量的方式有三种:
- struct 结构体名 变量名
- struct 结构体名 变量名 = { 成员1值,成员2值… }
- 定义结构体时顺便创建变量
注意: 创建结构体类型的时候,struct不可以省略; 但是,通过结构体创建变量的时候可以省略struct;
struct Student
{
string name;
int age;
int score;
}s3,s4;
int main() {
Student s1;
s1.name = "张三";
s1.age = 21;
s1.score = 100;
struct Student s2 = { "李四",20,80 };
s3.name = "财大";
s4.name = "师大";
cout << s1.name << s2.name << s3.name << s4.name<<endl;
system("pause");
return 0;
}
结构体数组
作用:将自定义的结构体放入到数组中方便维护; 语法:struct 结构体名 数组名[元素个数] = { { },{ }…{ } }
struct Student stuArray[3]=
{
{"张三",18,100},
{"李四",19,80},
{"王五",22,100}
};
stuArray[2].name = "江财";
for (int i = 0; i < 3; i++) {
cout << "姓名:" << stuArray[i].name
<< " 年龄:" << stuArray[i].age
<< " 分数:" << stuArray[i].score << endl;
}
结构体指针
作用:通过指针访问结构体中的成员;
- 利用操作符 ->可以通过结构体指针访问结构体属性;
Student s1 = { "张三",18,80 };
Student * p = &s1;
s1.name = "师大";
p->name = "江财";
cout << p->name<<endl;
结构体嵌套结构体
作用:结构体中的成员可以是另一个结构体 例如:每个老师辅导一个学员,一个老师的结构体中,记录一个学生的结构体;
struct Student
{
string name;
int age;
int score;
}s3,s4;
struct Teacher
{
int id;
string name;
Student stu1,stu2;
};
int main() {
Teacher t;
t.id = 1;
t.name = "老刘";
t.stu1.name = "张三";
t.stu2.name = "李四";
cout << t.name << "有学生" << t.stu1.name << "、" << t.stu2.name<<endl;
system("pause");
return 0;
}
结构体做函数参数
作用:将结构体作为参数向函数中传递; 传递方式有两种:
void printStudent(Student s) {
s.name = "师大";
cout << "传值函数中输出:" << " 姓名" << s.name << " 分数:"<< s.score<<endl;
}
void printStudent(Student * p) {
p->name = "江财";
cout << "传址函数中输出:" << " 姓名" << p->name << " 分数:"<<p->score<<endl;
}
int main() {
Student s1;
s1.name = "张三";
s1.age = 18;
s1.score = 100;
printStudent(s1);
printStudent(&s1);
cout << "main函数中输出:" << " 姓名" << s1.name << " 分数:"<<s1.score<<endl;
system("pause");
return 0;
}
结构体中const使用场景
作用:用const来防止误操作;
struct Student
{
string name;
int age;
int score;
}s3,s4;
void printStudent(const Student * p) {
cout << " 姓名" << p->name << " 分数:"<<p->score<<endl;
}
int main() {
Student s1;
s1.name = "张三";
s1.age = 18;
s1.score = 100;
printStudent(&s1);
system("pause");
return 0;
}
地址传递
- 将函数中的形参改为指针,可以减少内存空间,而且不会复制出新分副本出来
- 因为指针变量始终是占4个字节的内存空间
|