忙里偷闲( ˇ?ˇ )闲里偷学【C语言篇】——(7)结构体

一、为什么需要结构体?

为了表示一些复杂的事物,而普通类型无法满足实际需求

二、什么叫结构体?

把一些基本类型组合在一起形成的一个新的复合数据类型叫做结构体。

三、如何定义一个结构体?

第一种方式:

struct Student{  
	int age;
	float score;
	char sex;
};
第二种方式:
struct Student2{
	int age;
	float score;
	char sex;
} str2;
第三种方式:
strut {
	int age;
	float score;
	char sex;
} str3;

四、怎么去使用结构体变量

1、赋值和初始化

定义的同时可以整体赋初值,如果定义完成后,则只能单个的赋初值

# include <stdio.h>

struct Student
{
	int age;
	float score;
	char sex;
}
int main(void){
	struct Student st = {80, 66.6, ‘F‘};  //整体赋值
	struct Student st2;  //单个赋值
	st2.age = 10;
	st2.score = 88;
	st2.sex = ‘F‘;
	
	printf("%d %f %c\n", st.age, st.score, st.sex);  //第一种取值方式
	printf("%d %f %c\n", st2.age, st2.score, st2.sex);
	
	return 0;
}
2、如何取出结构体变量中每一个成员

(1)结构体变量名.成员名

(2)指针变量->成员名

# include <stdio.h>

struct Student
{
	int age;
	float score;
	char sex;
};
int main(void){
	struct Student st = {40, 60, ‘F‘};
	struct Student * pst = &st;

	pst->age = 68;
	st.score = 66;
	printf("%d %f\n", st.age, pst->score);
	
	return 0;
}
pst->age在计算机内部会被转化成(*pst).age

3、结构体变量的运算

结构体变量不能相加,不能相减,也不能相互乘除但结构体变量可以相互赋值

struct 	Student
{
	int age;
	char sex;
	char name[100];
};  //分号不能省略
struct Student st1, st2;
st1+st2  st1*st2  st1/st2 都是错误的
st1 = st2  或者 st2 = st1 都是正确的
4.结构体变量和结构变量指针作为函数参数传递的问题

推荐使用结构体指针变量作为函数参数来传递

# include <stdio.h>

struct Student
{
	int age;
	float score;
	char sex;
};

int main(void){
	struct Student st;
	
	InputStudent(&st);  //对结构体变量输入
	OutputStudent(&st);  //对结构体变量输出
	
	return 0;
}
void OutputStream(struct Student * ss){
	printf("%d %c %s\n", ss->age, ss->sex, ss->name);
}
void InputStudent(struct Student * pstu){ //pstu只占4个字节
	(*pstu).age  = 10;
	strcpy(pstu->name, "zhangsan");
	pstu->sex = ‘F‘;
}
5.动态的构造存放学生信息的结构体数组

/*
	2012年2月5日19:43:24
*/
# include <stdio.h>
# include <malloc.h>

struct Student
{
	int age;
	float score;
	char name[100];
};
int main(void){
	int len;
	struct Student * pArr;
	int i;
	
	printf("请输入学生的个数:\n");
	printf("len = ");
	scanf("%d", &len);
	pArr = (struct Student *)malloc(len * sizeof(struct Student));

	for (i=0; i<len; ++i){
		printf("请输入第%d个学生的信息\n", i+1);
		printf("age = ");
		scanf("%d", &pArr[i].age);

		printf("name =");
		scanf("%s", pArr[i].name);

		printf("score = ");
		scanf("%f", &pArr[i].score);
	}
	//输出
	printf("\n\n\n");
		for (i=0; i<len; ++i){
		printf("第%d个学生的信息是\n", i+1);
		printf("age = %d\n", pArr[i].age);

		printf("name = %s\n", pArr[i].name);

		printf("score = %f\n\n", pArr[i].score);
	}
	
	return 0;
}
输出结果:
请输入学生的个数:
len = 3
请输入第1个学生的信息
age = 22
name =李小强
score = 99
请输入第2个学生的信息
age = 23
name =杨鹏
score = 89
请输入第3个学生的信息
age = 24
name =王海涛
score = 88

第1个学生的信息是
age = 22
name = 李小强
score = 99.000000
第2个学生的信息是
age = 23
name = 杨鹏
score = 89.000000
第3个学生的信息是
age = 24
name = 王海涛
score = 88.000000








忙里偷闲( ˇ?ˇ )闲里偷学【C语言篇】——(7)结构体,古老的榕树,5-wow.com

郑重声明:本站内容如果来自互联网及其他传播媒体,其版权均属原媒体及文章作者所有。转载目的在于传递更多信息及用于网络分享,并不代表本站赞同其观点和对其真实性负责,也不构成任何其他建议。