结构化
#include <iostream>
int main()
{
// 结构1
struct contact {
char phone[20];
char email[20];
}; // 这里可以添加变量 也可以在后面自行创建
// 结构2 注意嵌套
struct person {
char name[20];
int gender;
double h;
double w;
struct contact c;
};
// 创建 并 赋值
struct person timmy = {
"timmy", 1, 170.00, 60.00,
{"13012345678", "timmy@xxx.com"}
};
// 打印
std::cout << timmy.name << std::endl;
std::cout << timmy.gender << std::endl;
std::cout << timmy.h << std::endl;
std::cout << timmy.w << std::endl;
// 注意嵌套
std::cout << timmy.c.phone << std::endl;
std::cout << timmy.c.email << std::endl;
// 指针指向结构化
struct person *p = &timmy;
// 下面两种方法 等价
std::cout << p->name << std::endl;
std::cout << (*p).name << std::endl;
// 这样可以访问更多
std::cout << (*p).c.email << std::endl;
return 0;
}
联合与枚举
#include <iostream>
//#include <string.h>
//using namespace std;
// 枚举类型
enum msgType {
eInteger = 1,
eIFloat = 3,
eString = 5,
};
struct message {
// int type; 改为枚举类型
// 枚举类型
enum msgType type;
// 联合:当前同时只能存在1种
// 理解:选择题 单选
union {
int n;
float f;
char str;
}u; // 这里可以写变量,使用的时候需要加上。也可以不写
};
void printMsg(struct message msg)
{
switch (msg.type)
{
case eInteger:
std::cout << msg.u.n << std::endl;
break;
case eIFloat:
std::cout << msg.u.f << std::endl;
break;
case eString:
std::cout << msg.u.str << std::endl;
break;
}
}
int main()
{
struct message msg[3];
msg[0].type = eInteger;
msg[0].u.n = 123;
msg[1].type = eIFloat;
msg[1].u.f = 3.14;
msg[2].type = eString;
msg[2].u.str = 'A';
for (int i=0; i < 3; i++) {
printMsg(msg[i]);
}
return 0;
}