-
常量指针
例:int a[5];
const int *p=a; -
指针常量
例:int a[5];
int* const p=a; -
我们把const认为是常量,把星号认为是指针,看这两个谁在前,const在前指针在后则是常量指针,相反则是指针常量。
-
常量指针的意思是指针所指的内容是常量,即指针所指的内容不能被改变。
如:int a[5];
const int *p=a;
p[1]=‘a’; //error
指针所指的内容是常量,因此改变其内容编译器会报错。 -
指针常量的意思是该指针是常量,如int* const p=a,其中指针p是常量,这就意味着该指针的值不能被改变。
例:int a[5],b[5];
int* const p=a;
p=b; //error,p是常量,其值不能被改变
//常量指针
const char *p = "hello";
p = "world"; //correct
p[0] = 'a'; //error
//指针常量
char a[] = "hello";
char* const q = a;
q = "world"; //error
q[0] = 'a'; //correct
char* const r = "C++";
r = "java"; //error
r[0] = 'a'; //error,"C++"是常量,不能被改变
-
同理,还有常指针常量。
如:int a[5];
const int* const q=a; -
还有一点需要注意
char *p = “hello”; //error
const char *p = “hello”; //correct
因为"hello"是个在常量区的常量,其值不能被改变,所以要在前面加上const.