首页 > 代码库 > C++中的const用法(2)

C++中的const用法(2)


前面写过一篇博客介绍const用法:C++中的const用法


今天发现有个忙点,特此补充。


我们知道,一般const修饰指针时有三种情况。

<span style="font-size:18px;">const int *p;</span>
这表示p指向一个int型的const变量,但是指针本身并不是const。


int a = 0;
int *const p = &a;

这种情况表示指针是const,一旦初始化不能指向另外的数据。


int a = 0;
const int *const p = &a;

这种情况表示指针和指针指向的对象都是const。



但是,问题来了。

如果使用typedef,比如这样

typedef int *intp;
const intp p;

那么p是什么类型的指针?


我毫不犹豫的回答是普通的指针,但是指向const的int变量。


然而实际上p是const指针,其指向的变量并不是const变量。因为intp是一种数据类型,即int指针类型,const修饰该指针类型,因此是const指针,上面的两行等价于

int *const p;


C++中的const用法(2)