简介
const 是用于对常量的修改,带有const的引用可以称之为常量引用。但是在函数中为什么要添加这个呢,比如 void fun(string&)
和 void fun(const string&)
到底有什么区别呢,本文就些问题进行简单介绍。
1. 可以同时接受常量参数和变量参数
给定给以下两个函数:
void fun1(string& s){ cout << s << endl; }
void fun2(const string& s){ cout << s << endl; }
这里我们进行以下四个调用,哪些会报错?
0: string s = "hello";
1: fun1("hello");
2: fun2("hello");
3: fun1(s);
4: fun2(s);
答题是只有 fun1("hello")
会报错,因为 fun1(s)
和 fun2("hello")
符合定义肯定没问题,而为什么 fun2(s)
不会出错,就是因为常量引用兼容变量引用。这个如何理解,可以看这句:string s = "hello";
这句就是典型的将常量赋值给变量,即等号左侧的类型是 string
, 而右侧是 const string
,这就是一个典型的示例。
2. 防止修改
在以下两个函数中,fun3(string&)
不会报错,而 fun4(const string&)
则会报错,原因就是常量修改的变量不能修改,如果这里换成其他任意类型的变量,如 fun5(const person&)
结果也是一样。
void fun3(string &s) {
s += "new";
cout << s << endl;
}
void fun4(const string &s) {
s += "new";
cout << s << endl;
}
小结
对于常量引用的作用,一般对于字符串类基本值使用较多,一般对于类类型使用较少。在大部分情况下,都是需要修改的。而当传入参数限制修改时,就可以使用 const
。