C语言学习(4):结构体与指针

前言:

结构体是一种自定义数据类型,结构体允许程序员将一些数据分量聚合成一个整体。如定义一个student结构体,结构体里面包含姓名,年龄,性别,年级等信息。

正文:

1、结构体的定义有以下2种:

struct Student  //第一种
{
	const char* name;
	int age;
};

typedef struct Student //第二种
{
	const char* name;
	int age;
} STU;

这两种有啥区别呢?其实在定义的时候没啥区别,只是在下面初始化结构体变量时有区别。

2、结构体变量初始化

struct Student stu1; //对应第一种定义方式,注意:C语言中,关键字struct和Student连在一起构成新的数据类型
STU stu1;            //对应第二种定义方式,这样看着就比较简洁了
Student stu1;        //C++中,则struct可要可不要

3、结构体数组

typedef struct Student
{
	const char* name;
	int age;
} STU;

int main()
{
	STU stu[3];
	stu[0].name = "xiaoming";  // 结构体变量是“.”点运算符
	stu[0].age = 20;

	stu[1].name = "xiaohong";
	stu[1].age = 21;

	stu[2].name = "xiaohua";
	stu[2].age = 22;

	for (size_t i = 0; i < 3; i++)
	{
		std::cout << stu[i].name << ":" << stu[i].age << std::endl;
	}
    
}

4、结构体指针

typedef struct Student
{
	const char* name;
	int age;
} STU;

int main()
{
	STU stu[3], *pStu;
	pStu = stu; // 数组名即指针

	pStu->name = "xiaoming"; // 结构体指针是“->”运算符
	pStu->age = 20;

	(pStu + 1)->name = "xiaohong";
	(pStu + 1)->age = 21;

	(pStu + 2)->name = "xiaohua";
	(pStu + 2)->age = 22;

	for (size_t i = 0; i < 3; i++)
	{
		std::cout << (pStu + i)->name << ":" << (pStu + i)->age << std::endl;
	}

}

5、结构体指针作为函数的参数

typedef struct Student
{
	const char* name;
	int age;
} STU;

int getEvalAge(const int stuNum, STU* pStu);

int main()
{
	const int stuNum = 3;
	STU stu[stuNum];
	STU* pStu;
	pStu = stu; // 数组名即指针

	pStu->name = "xiaoming";
	pStu->age = 20;

	(pStu + 1)->name = "xiaohong";
	(pStu + 1)->age = 21;

	(pStu + 2)->name = "xiaohua";
	(pStu + 2)->age = 22;

	int evalAge = getEvalAge(stuNum, pStu);
	std::cout << evalAge << std::endl;
}

int getEvalAge(const int stuNum, STU* pStu)  //指针作为函数参数很常用
{
	int totalAge = 0;
	for (size_t i = 0; i < stuNum; i++)
	{
		totalAge += (pStu + i)->age;
	}
	return totalAge / stuNum;
}

总结

C语言开发用到结构体的地方很多。

你可能感兴趣的:(C\C++)