1.const指针是一种指针,此指针指向的地址是不能够改变的,但是其指向的对象是可以被修改的,其定义类似:
int* const p=地址;
比如下面的代码:
int b=12;
int* const a=&b;
void tes()
{
*a=1;
}
此代码是正确的,先声明了变量b,然后声明一个const指针a,此指针指向变量b,在tes函数中修改指针a所指向的对象的值。
如果将代码修改为:
int b=12;
int* const a=&b;
void tes()
{
int c=2;
a=&c;
}
再编译就会出错:
t.cpp: In function 'void tes()':
t.cpp:6:5: error: assignment of read-only variable 'a'
因为指针a是const的,不能被重新赋值。
2.指向const对象的指针,其指向的对象是const的,不能被修改,但是其本身并不是const的,可以修改其指向的地址。
声明方式为:
const int *p;
const int* a;
void tes()
{
int c=2;
a=&c;
}
此代码是正确的,先声明了一个指向const对象的指针,然后在tes函数中将其指向c变量。
const int* a;
void tes()
{
int c=2;
a=&c;
*a=4;
}
此编码编译错误。
t.cpp: In function 'void tes()':
t.cpp:6:5: error: assignment of read-only location '* a'
因为a所指向的对象是const的,不能修改。