Bootstrap

c++---结构体

结构体属于用户自定义的数据类型,允许用户存储不同的数据类型

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

通过结构体创建变量的方式有三种:

1、struct 结构体名 变量名

2、struct 结构体名 变量名 = {成员值1,成员值2....}

3、定义结构体时顺便创建变量

#include <iostream>
#include <string>
#include <vector>
#include <ctime>
using namespace std;
//创建一个学生数据类型,学生包括姓名,年龄,分数
//自定义数据类型,一般是一些类型集合组成的一个类型
struct Student
{
	string name;
	int age;
	int score;

};
	
int main()
{
	//三种方法创建自定义数据类型的具体变量
	//第一种
    //结构体变量创建的时候struct可以省略不写
	struct Student s1;
	s1.name = "liuzhi";
	s1.age = 18;
	s1.score = 100;
	//第二种
	struct Student s1 = { "lisi", 20, 89 };
	//第三种一般不用
	return 0;
}

2、结构体数组

作用:将自定义的结构体数据放入到数组中方便维护

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

struct Student
{
	string name;
	int age;
	int score;

};
	
int main()
{
	//创建一个结构体数组
	struct Student stu_arr[3] = {
		{"liuzhi", 18, 86},
		{"lisi", 20, 95},
		{"wangwu", 21, 100}
	};
	//给结构体数组中元素赋值
	stu_arr[2].name = "shazi";
	stu_arr[2].age = 30;
	stu_arr[2].score = 91;
	//遍历结构体数组
	for (int i = 0; 
;