C++ const 与 指针

一、指针指向的内容const,不需要初始指针变量的值

 const int *c;

c 是一个指针类型的变量,指向 int 类型的数据,int 数据无法改变。c 本身就是一个指针,可以指向任何一个 int 类型的变量:

const int *c;

int a = 0;
int b = 1;
cout << &a << endl;
cout << &b << endl;
c = &a;
cout << c << endl;
c = &b;
cout << c << endl;
=====================
输出:
0x5ffe94
0x5ffe90
0x5ffe94
0x5ffe90

二、指针的值 const,需要初始化,且不能重复赋值

int* const d = &a;

d 是一个指针类型变量,指向 int 类型的数据。d 的值(也就是指向变量a的内存地址)是不能变的:

int a = 100;
int* const d;
编译器直接给出错误提示:const variable "d" requires an initializer C/C++(257)
int a = 100;
cout << &a << endl;
int* const d = &a;
cout<< d << endl;
==================
运行正常,输出:
0x5ffe94
0x5ffe94
int a = 100;
cout << &a << endl;
int* const d = &a;
cout<< d << endl;

int b = 200;
d = &b;
编译器直接提示错误:"d" expression must be a modifiable lvalue C/C++(137)

你可能感兴趣的:(C++,c++,开发语言,c++基础)