C语言中结构体是一种构造类型,和数组、基本数据类型同样,能够定义指向该种类型的指针。结构体指针的定义相似其余基本数据类型的定义,格式以下数组
struct 结构体名 * 指针名;指针
好比:code
struct person{char[20] name; int age;};//先定义一我的的结构体string
struct person *p;//而后能够定义一我的的结构体指针class
struct person p1 = {"zhangsan",20};数据类型
*p = &p1;//结构体指针的初始化gc
当定义结构体时,若是结构体中的成员又是一个结构体,那么就称为结构体的嵌套。好比:数据
struct room{语言
int chair;co
int computer;
struct person children;
};
嵌套的结构体初始化方式以下:
struct room r1 = {1,1,{"xiaohong",7}};
嵌套结构体的初始化参照基本结构体的初始化方式,对结构体的元素分别进行初始化。
结构体中不能够嵌套自身的结构体,可是能够嵌套指向自身的指针。
关于上面所述的结构体嵌套及嵌套指向自身的结构体指针,下面有几个实例:
结构体的嵌套以及结构体指针
#include "stdafx.h"
#include
int main(int argc, char* argv[])
{
//结构体指针
struct office{
int chair;
int computer;
} ;
struct office officeOne = {10,10};
struct office *p = &officeOne;
printf("chair = %d,computer = %d\n",(*p).chair,(*p).computer);
return 0;
}
#include "stdafx.h"
#include
//结构体指针以及结构体嵌套
struct employee{
char name[10];
int age;
};
int main(int argc, char* argv[])
{
//结构体嵌套
struct office{
int chair;
int computer;
struct employee em;
} ;
struct office officeOne = {10,10,{"zhangsan",25}};
struct office *p = &officeOne;
printf("chair = %d,computer = %d\nname = %s,age = %d\n",(*p).chair,(*p).computer,officeOne.em.name,officeOne.em.age);
return 0;
}
#include "stdafx.h"
#include
//结构体指针以及结构体嵌套结构体指针
int main(int argc, char* argv[])
{
//结构体指针
struct office{
int chair;
int computer;
struct office *of1;
} ;
struct office officeOne = {10,10,NULL};
struct office officeTwo = {10,10,&officeOne};
printf("chair = %d,computer = %d\nchair1 = %d,computer1 = %d\n",officeTwo.chair,officeTwo.computer,(*(officeTwo.of1)).chair,(*(officeTwo.of1)).computer);
return 0;
}