C++函数 - typedef 语句的使用

使用typedef定义数组类型

一维数组类型的定义格式

typedef <元素类型关键字><数组类型名>[<常量表达式>]; 例如:

  1. typedef int intArr[10];
  2. typedef std::string stringArr[20];
  3. typedef int array[N];

二维数组类型的定义格式

typedef <元素类型关键字><数组类型名>[<常量表达式1>][<常量表达式2>]; 例如:

  1. typedef int matrix[5][5];
  2. typedef char nameTable[10][NN];
  3. typedef double DD[M+1][N+1];

对已有类型定义别名

利用typedef语句不仅能够定义数组类型,而且能够对已有类型定义出另一个类型名,以此作为原类型的一个别名。如:

  1. typedef int inData;
  2. typedef char chData;
  3. typedef char* chPointer;

例子:

DETAILS
#include <iostream>
#include <memory>

using namespace std;

//一维数组
typedef int intArr[10];
typedef std::string stringArr[20];

//二维数组
typedef int matrix[5][5];
typedef char nameTable[3][3];

//对已有类型定义别名
typedef int inData;
typedef char chData;


int main()
{
    intArr mIntArr = {1,2,3,4,5};
	stringArr mStrArr = { "hello","world"};
	
    for(int i=0 ;i< sizeof(mIntArr)/sizeof(int);i++)
	{
		if (mStrArr[i]=="") break;
		cout<<i <<"th mIntArr is "<<mIntArr[i]<<endl;
	}
	
	for(int i=0 ;i< sizeof(mStrArr)/sizeof(std::string);i++)
	{
		if (mStrArr[i]=="") break;
		cout<<i <<"th mStrArr is "<<mStrArr[i]<<endl;
	}
	
	cout<<"————————————————————————————————————————"<<endl;
	
	matrix mMat ={{1,2,3,4,5},{6,7,8,9,10},{11,12,13}};
	for(int i=0 ;i<5;i++)
	{
		for(int j=0 ;j<5;j++)
		{
			if (mMat[i][j]==0) break;
			cout<<"mMat["<<i<<"]["<<j<<"]:"<<mMat[i][j]<<endl;
		}
	}
	nameTable mNameTable ={{'a','b','c'},{'d','e','f'},{'g','h'}};
	
	for(int i=0 ;i<3;i++)
	{
		for(int j=0 ;j<3;j++)
		{
			if (mNameTable[i][j]==' ') break;
			cout<<"mNameTable["<<i<<"]["<<j<<"]:"<<mNameTable[i][j]<<endl;
		}
	}
	
	cout<<"————————————————————————————————————————"<<endl;
	inData m_int =100;
	chData m_char ='Z';
	
	cout<<"m_int is "<<m_int<<endl;
	cout<<"m_char is "<<m_char<<endl;
	
    return 0;
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65

执行结果:

[root@localhost typedef]# ./main
0th mIntArr is 1
1th mIntArr is 2
0th mStrArr is hello
1th mStrArr is world
————————————————————————————————————————
mMat[0][0]:1
mMat[0][1]:2
mMat[0][2]:3
mMat[0][3]:4
mMat[0][4]:5
mMat[1][0]:6
mMat[1][1]:7
mMat[1][2]:8
mMat[1][3]:9
mMat[1][4]:10
mMat[2][0]:11
mMat[2][1]:12
mMat[2][2]:13
mNameTable[0][0]:a
mNameTable[0][1]:b
mNameTable[0][2]:c
mNameTable[1][0]:d
mNameTable[1][1]:e
mNameTable[1][2]:f
mNameTable[2][0]:g
mNameTable[2][1]:h
mNameTable[2][2]:
————————————————————————————————————————
m_int is 100
m_char is Z

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32