c 的数据类型:基本数据类型有:整型,浮点型,字符型
派生类型:数组 ,struct, union, enum
自定义型: typedef
我理解c 对数据变量的定义就是把此变量存储在pc内存中,所以必须要规定存储此变量在内存中开始地址,就是此变量的指针,并且还要规定存储内存的长度,也就是用多少字节来存储此变量
对于基本数据类型:int ,float ,char等 有两种方法:
1. int i=10
2. 用指针加存储字节数来定义
int *p=malloc(4);
*p=10;
不能写成 int *p; *p=10; 因为这样没有定义用多少字节来存储*p
对于数组等其他类型 都采用 指针加内存字节数来定义
#include <stdio.h>
#include <stdlib.h>int main(void){int *i=malloc(4);*i=123456;printf("%d\n",*i);free(i);return 0;
}
int i[10] ,char[3]; //正确
int i[ ], char [ ]; //错误的定义
int i[] ={1,2,3} ; //正确
char *p="121323"; //正确 因为“12345”代表指针加内存偏移数
但int *p={1,2,3}; //错误
int *p; //这种定义属于野指针 ,野指针是指向一个不可预知或非法地址的指针,可能导致程序崩溃或异常行为
int *p=NULL; // 空指针,空指针是不指向任何有效地址的指针
#include <stdio.h>
#include <stdlib.h>int main(void){int *p=malloc(12);*p=1;*(p+1)=2;*(p+2)=3;printf("%d\n",*p);return 0;
}
#include <stdio.h>
#include <stdlib.h>int main(void){struct ww{int q;int w;};struct ww *p=(struct ww *)malloc(sizeof(struct ww));p->q=10;p->w=20; return 0;
}