C++的常量引用
如果是对一个常量进行引用,则编译器首先建立一个临时变量,然后将该常量的值置入临时变量中,对该引用的操作就是对该临时变量的操作。对常量的引用可以用其它任何引用来初始化;但不能改变。
通过常量引用从函数返回一个局部对象:
一般从一个函数返回一个局部对象的引用是不对的:
特殊情况:返回一个常引用
在这个情况下,局部变量 t 不会被直接析构,而是会保留到 my_t_obj 的生命周期结束为止。
总之,常量引用语法上可以引用一个临时变量。这种方法在使用引用作函数参数和返回局部变量时有意义。
我目前看来常量引用主要用在作函数参数或保证不修改原变量的时候。
一些参考:
http://topic.csdn.net/u/20080123/13/33c140ff-e213-417c-9d13-e672de4d9939.html
http://msdn.microsoft.com/zh-cn/library/cfbk5ddc.aspx
http://topic.csdn.net/t/20050209/18/3780754.html
...
关于引用的初始化有两点值得注意:
(1)当初始化值是一个左值(可以取得地址)时,没有任何问题;
(2)当初始化值不是一个左值时,则只能对一个const T&(常量引用)赋值。而且这个赋值是有一个过程的:
首先将值隐式转换到类型T,然后将这个转换结果存放在一个临时对象里,最后用这个临时对象来初始化这个引用变量。
例子:
double& dr = 1; // 错误:需要左值
const double& cdr = 1; // ok
第二句实际的过程如下:
double temp = double(1);
const double& cdr = temp;
1// bc_temp_objects_not_bound_to_nonconst_ref.cpp
2// compile with: /EHsc
3#include "iostream"
4using namespace std;
5class C {};
6
7void f(C & c) { cout << "C&" << endl; }
8void f(C const & c) { cout << "C const &" << endl; }
9
10int main() {
11 f(C());
12}
结果:2// compile with: /EHsc
3#include "iostream"
4using namespace std;
5class C {};
6
7void f(C & c) { cout << "C&" << endl; }
8void f(C const & c) { cout << "C const &" << endl; }
9
10int main() {
11 f(C());
12}
C const &更直接的,用基本类型:
1#include <iostream>
2
3using namespace std;
4
5void display(int const &ref) {cout<<ref<<'\n';}
6
7int main()
8{
9 int i=1;
10 display(i);
11 int const anotheri=2;
12 display(anotheri);
13 display(2);
14 display(1+2);
15 display(static_cast<int>(3.14159));
16}
2
3using namespace std;
4
5void display(int const &ref) {cout<<ref<<'\n';}
6
7int main()
8{
9 int i=1;
10 display(i);
11 int const anotheri=2;
12 display(anotheri);
13 display(2);
14 display(1+2);
15 display(static_cast<int>(3.14159));
16}
通过常量引用从函数返回一个局部对象:
一般从一个函数返回一个局部对象的引用是不对的:
1 T & my_op ( void )
2 {
3 T t;
4 return t;
5 } // The T object t got destroyed here so the returned reference is not valid anymore.
6
2 {
3 T t;
4 return t;
5 } // The T object t got destroyed here so the returned reference is not valid anymore.
6
特殊情况:返回一个常引用
1 const T & my_op ( void )
2 {
3 T t;
4 return t;
5 }
2 {
3 T t;
4 return t;
5 }
1
2 const T & my_t_obj = my_op ();
2 const T & my_t_obj = my_op ();
在这个情况下,局部变量 t 不会被直接析构,而是会保留到 my_t_obj 的生命周期结束为止。
总之,常量引用语法上可以引用一个临时变量。这种方法在使用引用作函数参数和返回局部变量时有意义。
我目前看来常量引用主要用在作函数参数或保证不修改原变量的时候。
一些参考:
http://topic.csdn.net/u/20080123/13/33c140ff-e213-417c-9d13-e672de4d9939.html
http://msdn.microsoft.com/zh-cn/library/cfbk5ddc.aspx
http://topic.csdn.net/t/20050209/18/3780754.html
...