一. typedef 命令(别名)
并没有创建新的类型,只是给现有类型创建了别名.
typedef int _in;
typedef char * string;
typedef Tnode * Treeptr; //给Tnode 取了个别名
typedef struct Tnode{
char *word;
int count;
/*Tnode * left;
Tnode * right;*/
Treeptr left;
Treeptr right;
} BinaryTreeNode;//给Tnode取个别名
int main(){
_in a = 10;
string str = "hello world";
BinaryTreeNode * node;
node = (BinaryTreeNode *)malloc(sizeof(BinaryTreeNode));
system("pause");
return 0;
}
二. union (共用体)
优点:节省内存空间
union
union MyUnion{
int a;
char b;
float c;
}
int main(){
MyUnion unio;
printf("a: %#x, b: %#x, c: %#x\n", &unio.a, &unio.b, &unio.c);
//打印的结果显示,a b c的地址是相同的
system("pause");
return 0;
}
三. 文件读写
fopen(参数一,参数二)函数 : 打开一个文件,
参数一: FILE文件的目录
参数二: 操作文件的模式(读,写,追加...)
1.读文件: fgets()
int main(){
char *path = "E:\\friends.txt";
FILE *fp = fopen(path,"r");
char buff[50];
while (fgets(buff,50,fp))
{
printf("%s",buff);
}
fclose(fp);//进行文件操作一定要关闭
system("pause");
return 0;
}
2.写文件: fputs()
int main(){
char *path = "E:\\friends2.txt";
FILE *fp = fopen(path, "w");
if (fp == NULL){
printf("file = NULL fail");
return 0;
}
char * text = "hello world";
fputs(text,fp);
fclose(fp);//进行文件操作一定要关闭
system("pause");
return 0;
}
知识点
struct 和 union 的区别
1.在存储多个成员信息时,编译器会自动给struct第个成员分配存储空间,struct 可以存储多个成员信息,而Union每个成员会用同一个存储空间,只能存储最后一个成员的信息。
2.都是由多个不同的数据类型成员组成,但在任何同一时刻,Union只存放了一个被先选中的成员,而结构体的所有成员都存在。
3.对于Union的不同成员赋值,将会对其他成员重写,原来成员的值就不存在了,而对于struct 的不同成员赋值 是互不影响的。
4.struct的内存空间是里面的内容相加的,Union的大小取决于它所有的成员中,占用空间最大的一个成员的大小
struct sTest
{
int a; //sizeof(int) = 4
char b; //sizeof(char) = 1
shot c; //sizeof(shot) = 2
}x;
所以在内存中至少占用 4+1+2 = 7 byte
union uTest
{
int a; //sizeof(int) = 4
double b; //sizeof(double) = 8
char c; //sizeof(char) = 1
}x;
所以分配的内存 size 就是8 byte。