c语言中的基本并不能满足我们日常使用,这在其他面向对象的解决方式是采用类定义的方式解决,那么在c语言中,giant如何解决这个问题,c语言中同样提供有自定义类型,太满足用户的需求,就是三类自定义类型:枚举类型,结构体类型,和共用体类型.
- 枚举类型.
十分好理解,在c++中也继承了这一点,并且枚举类型也是经常使用到的.
枚举类型主要的使用场景就是所有状态都可以枚举出来的场景.这个时候就可以通过枚举类型来定义这种类型,比如一场球赛的状态:结束,正在进行中,就可以使用枚举类型来自定义:
枚举类型使用enum关键字:
enum Gamestatus{PLAY,GAMEOVER}
int a;
Gamestatus game = PLAY;
a=game;
列举了比赛的两种状态.值得注意的是,枚举类型实际上是使用int来存储的,所以可以使用enum类型来初始化int变量,但是不能使用int值初始化enum类型变量.
枚举类型十分适合使用在例如权限设置上,和switch多路分支结构配合使用.
当然枚举类型也有一些函数,能够实现一些简单的功能.这里就不细说了.
- 结构体
现实生活中,很多类型都有着复杂的属性,比如一个人,用什么类型来描述一个人呢.这在面向对象的编程思想中很好理解,但在c语言中,是通过结构体类型,来自定义这种具有复杂结构的类型.
结构体的定义使用关键字struct:
struct 结构体名{
成员列表
}
//定义书这种类型
struct Book
{
char name[20];
char author[10];
char publish[20];
double price;
};
成员列表由数据类型和成员名构成.
比较有趣的是,结构体也可以嵌套使用:
struct data{
int year;
int month;
int day;
};
struct student{
int num;
char name[20];
char sex;
struct data birthday;
float score;
};
struct student{
int num;
char name[20];
char sex;
struct data{
int year;
int month;
int day;
}birthday;
float score;
};
声明结构体变量:
可以先定义,后声明,也可以便定义边声明,主要还是使用的先定义后声明的方式:
struct Book
{
char name[20];
char author[10];
char publish[20];
double price;
};
int main()
{
Book book1, book2;
结构体成员的引用:
book1.name
void Structbook(){
Book book;
gets_s(book.name);
book.author="xiaoshe";
book.price = 34.6;
printf("%s,%s", book.name, book.author);
}
初始化:
void Structbook(){
Book book;
Book book2 = { "wagnhua","xiaoshe","chuban",6.345 };
gets_s(book.name);
book.author="xiaoshe";
book.price = 34.6;
printf("%s,%s\n", book.name, book.author);
printf("%s,%s,%f\n", book2.name, book2.author,book2.price);
}
- 结构体数组
void Structbook(){
Book book;
Book book2 = { "wagnhua","xiaoshe","chuban",6.345 };
Book b[3]= { {"fg","sdfg","dfsg",34.5},{"fg","sdfg","dfsg",34.5},{"fg","sdfg","dfsg",34.5} };
b[1] = { "fg","sdfg","dfsg",34.5 };
- 结构体指针(就相当于普通的指针,只不过类型是自定义的而已)
Book *book;
通过结构体在指针访问结构体变量:
*book.name ="sdf";
*book->name = "啥";
- 指向结构体数组的指针相当于指向与结构体数组的首个结构体的首地址
Book book[5],*b;
b=book;
// 相当于
p=&book[0];
- 结构体指针作为函数参数
使用指针可以实现数据值的双向传递:
//排序函数
void sort(Student *stu,int n) {
Student t;
// 双重for循环实现排序
for (int j = 0; j < n; j++)
{
for (int i = 0; i < n - j;i++) {
if (stu[i].score<stu[i+1].score)
{
t = stu[i];
stu[i] = stu[i+1];
stu[i+1] = t;
}
}
}
}
void output(Student *stu,int n){
int i;
printf("student info are following:\n");
for (i = 0; i < n;i++,stu++) {
printf("%d\t%-20s\t%c\t%.2f%\t\n",stu->num,stu->name,stu->sex,stu->score);
}
}
int main()
{
// EnumSwith(WIN);
// Structbook();
Student*pstu, stu[4] = {
{1011,"we hua",'M',84},
{1011," huamei",'F',82},
{1011,"we hua",'M',80},
{1011,"we hua",'F',86},
};
pstu = stu;
sort(pstu, 4);
output(pstu, 4);
}
- 共用体,联合体类型
共用体和结构体的使用是类似的,只不过共用体的成员在分配内存空间的时候,是共用同一片内存空间的.