C++——结构体

1,结构体基本概念

结构体属于用户自定义的数据类型,允许用户存储不同的数据类型。像int(整型),浮点型,bool型,字符串型等都是属于系统内置的数据类型。而今天要学习的结构体则是属于我们自定义的一种数据类型

2,结构体定义和使用

语法:struct 结构体名 { 结构体成员列表 };

通过结构体创建变量的方式有三种,struct关键字不可省略:

  • struct 结构体名 变量名
  • struct 结构体名 变量名 = {成员1值,成员2值...}
  • 定义结构体时顺便创建变量
#include
using namespace std;
//1,创建学生数据类型 :学生包括(姓名,年龄,分数)
//自定义数据类型,一些类型集合组成的一个类型
//语法  struct 类型名称{ 成员列表 } 
struct Student{
	//成员列表
	//姓名
	string name; 
	//年龄 
	int age;
	//成绩 
	int score;
}s3;//顺便创建结构体变量s3. 
//2,通过学生类型创建具体学生 
int main(){
	//2.1 struct Student s1
	Student s1;
	s1.name="张三";
	s1.age=18; 
	s1.score=100;
	cout<<"姓名: "<

C++——结构体_第1张图片

结构体在具象化的时候,可以通过三种方式创建具体的类型:

  •  struct Student s1
  •  struct Student s2={...}
  •  在定义结构体时顺便创建结构体变量 

3,结构体数组

作用:将自定义的结构体放入到数组中方便维护,也就是数组中的每一个元素都是我们自定义的同一种数据结构类型,也就是结构体。

语法:struct  结构体名 数组名[元素个数]={ {},{},{},...,{} }

示例:

#include
using namespace std;
//结构体数组
struct student{
	string name;
	int age;
	int score;
}; 
int main(){
	struct student stuarry[3]={
		{"july",18,100},
		{"miss.li",20,90},
		{"zhang",21,130}
	};
	stuarry[1].name="san";
	stuarry[1].age=21;
	stuarry[1].score=100;
	for(int i=0;i<3;i++){
		cout<<"姓名:"<

4,结构体指针

作用:利用指针访问结构体中的成员

  • 利用操作符->可以通过结构体指针访问结构体属性
struct student{
	string name;
	int age;
	int score;
};
int main(){
	//创建学生结构体变量
	student s={"zhang",18,100}; 
	//通过指针指向结构体变量
	student *p=&s;
	//通过指针访问结构体变量中的数据 
    p->age=20;
	cout<<"name= "<name<<"age= "<age<<"score= "<score<

通过上述例子我们可以总结出来:

  • 指针在定义时,指针等号左右的数据结构要对应,int对int,float对float,struct对struct。

  • 指针通过->操作符可以访问成员

5,结构体嵌套结构体     

作用:结构体中的成员可以是另一个结构体

例如:每个老师辅导一个学员,一个老师的结构体中,记录一个学生的结构体

嵌套示意图:

C++——结构体_第2张图片

#include
using namespace std;
struct student{
	string name;
	int age;
	int score;
};//定义学生结构体 
struct teacher{
	int id;
	string name;
	int age;
	student stu;//代表这个老师所带的学生 
};
int main(){
	teacher t;
	t.id=1000;
	t.age=50;
	t.name="Mr.li";
	t.stu.age=10;
	t.stu.name="xiaowang";
	t.stu.score=60;
	cout<<"teacher`s name is "<

C++——结构体_第3张图片

                            

6,结构体做函数参数

作用:将结构体作为参数向函数中传递

传递方式有两种:

  • 值传递(形参修饰不会改变实参)
  • 地址传递(如果函数形参发生改变,实参也会跟着改变)

示例:

#include
using namespace std;
struct student{
	string name;
	int age;
	int score;
};//定义学生结构体
void printstudent1(struct student s){
	s.age=100;
	cout<<"子函数1中,姓名:"<age=100;
	cout<<"子函数2中,姓名:"<name<<"年龄为:"<age<<"成绩为:"<score<

 主函数里的赋值为实参,函数中的赋值为形参,大家可以相应修改两种参数传递方式的参数值看看主函数里的实参会怎么变化,得出的结论亦是上面两种结论。值传递修改形参不会改变实参的值,地址传递则会修改实参的值,具体原理参照C++——函数-CSDN博客。

最根本的原理在于:值传递参数时是独立开辟了一些内存空间,而地址传递则是用指针直接指向实参地址

7,结构体中const使用场景

8,结构体案例

案例描述:学校正在做毕设项目,每名老师带领五个学生,总共有三名老师

C++——结构体_第4张图片

#include
using namespace std;
struct student{
	string name;
	int score;	
};//定义学生结构体
struct teacher{
	string name;
	student arrstudent[5];
};
//给老师和学生赋值的函数
void teacher(struct teacher array[],int len){
	string nameseed="ABCDE";
	for(int i=0;i

你可能感兴趣的:(c++,开发语言)