4、结构体指针
作用:通过指针访问结构体中的成员
利用操作符“----->”可以通过结构体指针访问结构体成员。
示例:
#include<iostream>
#include<string>
using namespace std;
struct student
{//姓名string name;//年龄int age;//分数int score;
};
int main()
{student stu = { "张三",18,100 };struct student* p = &stu;cout << "姓名:" << p->name<< " 年龄:" << p->age<< " 分数:" << p->score << endl;system("pause");return 0;
}
结果:
总结:结构体指针可以通过---->操作符来访问结构体中的成员。
5、结构体嵌套结构体
作用:结构体中的成员可以是另一个结构体。
例如:每个老师可以辅导一个学员,一个老师的结构体中,记录一个学员的结构体,则此时就是结构体嵌套结构体。
示例:
#include<iostream>
#include<string>
using namespace std;
//学生结构体定义
struct student
{//姓名string name;//年龄int age;//分数int score;
};
//老师结构体定义
struct teacher
{int id;string name;int age;struct student stu;};
int main()
{struct teacher t1;t1.age = 26;t1.id = 1003;t1.stu.age = 19;t1.stu.name = "zhangsan";t1.stu.score = 98;system("pause");return 0;
}
6、结构体做函数参数
作用:将结构体作为参数向函数中传递。
参数的传递方式有两种:一是值传递,二是地址传递。
二者的区别是:值传递形参的改变不会改变实参,而地址传递形参的改变可以导致实参的改变。
示例:
#include<iostream>
#include<string>
using namespace std;
struct student
{string name;int age;int score;
};
//值传递
void printStudent(student stu)
{stu.age = 28;cout << "子函数中姓名:" << stu.name<< " 年龄:" << stu.age<< " 分数:" << stu.score << endl;}
//地址传递
void printStudent2(student* stu)
{stu->age = 28;cout << "子函数中姓名:" << stu->name<< " 年龄:" << stu->age<< " 分数:" << stu->score << endl;
}
int main()
{student stu = { "张三",18,100 };//值传递printStudent(stu);//地址传递printStudent2(&stu);system("pause");return 0;
}
7、结构体中const使用场景
作用:用const来防止误操作。
示例:
#include<iostream>
#include<string>
using namespace std;
struct student
{string name;int age;int score;
};//地址传递
void printStudent2(const student* stu)
{//stu->age = 28;//操作失败,因为加了const修饰cout << "子函数中姓名:" << stu->name<< " 年龄:" << stu->age<< " 分数:" << stu->score << endl;
}
int main()
{student stu = { "张三",18,100 };//地址传递printStudent2(&stu);system("pause");return 0;
}