(C++)举例说明可以使用const代替#define以消除#define的不安全性

举例说明可以使用const代替#define以消除#define的不安全性

在C中习惯使用#define来定义常量, 例如 :
#define N 100
实际上这种方法只是在预编译时进行了字符置换, 把程序中出现的标识符N 全部置换成100. 在预编译之后, 程序中不再有N这个标识符. N不是变量,没有类型, 不占存储单元, 且易出错 .
C++中提供了一种更灵活, 更安全的方式来定义常量, 即使用const修饰符来定义常量, 例如 :
const int N = 100;
这个常量是有类型, 占用存储单元, 有地址, 可以用指针指向它, 但不能改变它
const相比#define消除了不安全性, 就让我们举例说明 .
例如以下代码

int a = 1;
#define T1 a+a
#define T2 T1-T1
cout << "T2= " << T2 << endl;

我们会认为输出为T2= 0
但实际上输出为T2= 2
其原因是C++把cout << "T2= " << T2 << endl ; 解释成了cout<<"T2= " << a+a-a+a << endl ;
但如果换成const就不会引起此错误, 例如 :

int a = 1;
const int t1 = a + a;
const int t2 = t1 - t1;
cout << "t2= " << t2 << endl;

输出就为t2= 0
具体实现如下 :

#include
using namespace std;
int a = 1;
#define T1 a+a
#define T2 T1-T1
const int t1 = a + a;
const int t2 = t1 - t1;
int main() {
	cout << "T2= " << T2 << endl;
	cout << "t2= " << t2 << endl;
	system("pause");
	return 0;
}

(C++)举例说明可以使用const代替#define以消除#define的不安全性_第1张图片

你可能感兴趣的:(C++)