//至關於爲現有類型建立一個別名,或稱類型別名。
//整形等
typedef int size;數組
//字符數組
char line[81];
char text[81];//=>函數
typedef char Line[81];
Line text, secondline;指針
//指針
typedef char * pstr;
int mystrcmp(pstr p1, pstr p2);//注:不能寫成int mystrcmp(const pstr p1, const pstr p3);因const pstr p1解釋爲char * const cp(不是簡單的替代)string
//與結構類型組合使用
typedef struct tagMyStruct
{
int iNum;
long lLength;
} MyStruct;//(此處MyStruct爲結構類型別名)=>變量
struct tagMyStruct
{
int iNum;
long lLength;
};//+
typedef struct tagMyStruct MyStruct;error
//結構中包含指向本身的指針用法
typedef struct tagNode
{
char *pItem;
pNode pNext;
} *pNode;//=>error
//1)
typedef struct tagNode
{
char *pItem;
struct tagNode *pNext;
} *pNode;
//2)
typedef struct tagNode *pNode;
struct tagNode
{
char *pItem;
pNode pNext;
};
//3)規範
struct tagNode
{
char *pItem;
struct tagNode *pNext;
};
typedef struct tagNode *pNode;文件
//與define的區別
//1)
typedef char* pStr1;//從新建立名字
#define pStr2 char *//簡單文本替換
pStr1 s1, s2;
pStr2 s3, s4;=>pStr2 s3, *s4;
//2)define定義時若定義中有表達式,加括號;typedef則無需。
#define f(x) x*x=>#define f(x) ((x)*(x))
main( )
{
int a=6,b=2,c;
c=f(a) / f(b);
printf("%d \\n",c);
}
//3)typedef不是簡單的文本替換
typedef char * pStr;
char string[4] = "abc";
const char *p1 = string;
const pStr p2 = string;=>error
p1++;
p2++;co
//1) #define宏定義有一個特別的長處:可使用 #ifdef ,#ifndef等來進行邏輯判斷,還可使用#undef來取消定義。
//2) typedef也有一個特別的長處:它符合範圍規則,使用typedef定義的變量類型其做用範圍限制在所定義的函數或者文件內(取決於此變量定義的位置),而宏定義則沒有這種特性。字符
第二種:結構體
//
//C中定義結構類型
typedef struct Student
{
int a;
}Stu;//申明變量Stu stu1;或struct Student stu1;
//或
typedef struct
{
int a;
}Stu;//申明變量Stu stu1;
//C++中定義結構類型
struct Student
{
int a;
};//申明變量Student stu2;
//C++中使用區別
struct Student
{
int a;
}stu1;//stu1是一個變量 。訪問stu1.a
typedef struct Student2 { int a; }stu2;//stu2是一個結構體類型 訪問stu2 s2; s2.a=10;//還有待增長。