关于常量指针,首先看这段代码:
const int test = 5; const int *pm = &test; int *pn = pm; printf("%d\n",(*pn)++); printf("%d\n",*pm); printf("%d\n",test);
在C语言中标准中,编译器可以通过非const指针修改const值(我用gcc 4.6.1,输出结果:5,6,6)。而如果这段代码放在c++中编译时是通不过的(第二行报错:无法将int *转换为const int *)。
为什么C标准不会对这种行为排斥,因为C标准只是规定const修饰符所修饰的变量只是“read-only",无法通过const指针修改,但是你可以通过其他非const途径来改变它。比如你给我一个返回const *presult值的接口,我一样能修改你的返回值。
const int* sum(int a, int b) { int *c = (int *)malloc(sizeof(int)); *c = a+b; return c; } int *pn = sum(2,3); printf("%d\n",++(*pn)); free(pn);
输出:6
而C++对这种机制进行了严格的限制,且常量定义时必须初始化。
另外可以看看这篇博文:
http://blog.csdn.net/fxpbupt/article/details/4495884