深蓝学院C++笔记——第三章对象与基本类型之常量类型与常量表达式
#include <iostream>
int main()
{
const int x = 6;//使用const定义常量对象x,只能读不能写
if(x = 3)//使用const可以防止非法操作,如把判等误写成赋值操作
{
...
}
...
y = x + 1;//优化程序逻辑,因为x是一个常量,因此编译器不管上面写了多少行代码,x永远是6,提高了编译效率
int* const ptr = &x;//此时ptr不能指向其他的变量
int y = 2;
p = &y;//系统报错
const int* ptr = &x;//此时不能修改ptr指向的变量的值
*p = 3;//系统报错
//记忆方法:以*为界限,const出现在*右边,不能修改指向的变量,const出现在*左边,不能修改指向变量的值
}
#include <iostream>
struct Str
{
...//定义了一个结构体
};
void fun(const Str& param)//常量引用主要用于函数形参,在不允许拷贝传参的情况下,又不想改动变量的值,就用常量引用
{
param = ...//系统报错
}
int main()
{
Str x;
fun(x);
fun(3)//常量引用可以绑定字面值
int x1;
std::cin >> x1;
const int y1 = x1;
constexpr int y2 = 3;//代表y2是一个编译器的常量,类型还是const int
if(y1 == 3)
{
}
if(y2 == 3)//由于y2是一个编译器常量,所以系统编译时已知y2 = 3,可以把此处的判等删掉优化
{
}
constexpr const int* ptr = nullptr;//ptr类型是const int* const
}