代码:
const char * const key;
上面有两个const指针,我第一次看到这样的东西。
我知道第一个const使得指针指向的值不可变, 但第二个const是否使指针本身不可变?
任何人都可以帮忙解释一下吗?
@Update:
我写了一个程序,证明答案是正确的。
#include <stdio.h>
void testNoConstPoiner() {
int i = 10;
int *pi = &i;
(*pi)++;
printf("%d\n", i);
}
void testPreConstPoinerChangePointedValue() {
int i = 10;
const int *pi = &i;
// this line will compile error
// (*pi)++;
printf("%d\n", *pi);
}
void testPreConstPoinerChangePointer() {
int i = 10;
int j = 20;
const int *pi = &i;
pi = &j;
printf("%d\n", *pi);
}
void testAfterConstPoinerChangePointedValue() {
int i = 10;
int * const pi = &i;
(*pi)++;
printf("%d\n", *pi);
}
void testAfterConstPoinerChangePointer() {
int i = 10;
int j = 20;
int * const pi = &i;
// this line will compile error
// pi = &j
printf("%d\n", *pi);
}
void testDoublePoiner() {
int i = 10;
int j = 20;
const int * const pi = &i;
// both of following 2 lines will compile error
// (*pi)++;
// pi = &j
printf("%d\n", *pi);
}
int main(int argc, char * argv[]) {
testNoConstPoiner();
testPreConstPoinerChangePointedValue();
testPreConstPoinerChangePointer();
testAfterConstPoinerChangePointedValue();
testAfterConstPoinerChangePointer();
testDoublePoiner();
}
取消注释3个函数中的行,将会出现编译错误提示。
答案 0 :(得分:9)
第一个const告诉您无法更改*key
,key[i]
等
以下行无效
*key = 'a';
*(key + 2) = 'b';
key[i] = 'c';
第二个const告诉你不能改变key
以下行无效
key = newkey;
++key;
同时检查how to read this complex declaration
添加更多详情。
const char *key
:您可以更改密钥但不能更改密钥指向的字符。char *const key
:您无法更改密钥,但密钥const char *const key
:您无法更改密钥以及指针字符。答案 1 :(得分:0)
const [type]*
表示它是一个不会改变指向值的指针。
[type]* const
表示指针本身的值不能更改,即它始终指向相同的值,类似于Java final
关键字。