位置:首页 > 高级语言 > C++在线教程 > C++通过引用返回值

C++通过引用返回值

C++程序使用参考可以更容易阅读,而不是指针维护。 C++函数可以以类似的方式返回一个参考,因为它返回一个指针。

当函数返回一个引用,它返回一个隐含的指针,它的返回值。通过这种方式,函数可以使用在一个赋值语句的左侧。例如,考虑这个简单的程序:

#include <iostream>
#include <ctime>
 
using namespace std;
 
double vals[] = {10.1, 12.6, 33.1, 24.1, 50.0};
 
double& setValues( int i )
{
  return vals[i];   // return a reference to the ith element
}
 
// main function to call above defined function.
int main ()
{
 
   cout << "Value before change" << endl;
   for ( int i = 0; i < 5; i++ )
   {
       cout << "vals[" << i << "] = ";
       cout << vals[i] << endl;
   }
 
   setValues(1) = 20.23; // change 2nd element
   setValues(3) = 70.8;  // change 4th element
 
   cout << "Value after change" << endl;
   for ( int i = 0; i < 5; i++ )
   {
       cout << "vals[" << i << "] = ";
       cout << vals[i] << endl;
   }
   return 0;
}

当上述代码被编译在一起并执行时,它产生了以下结果:

Value before change
vals[0] = 10.1
vals[1] = 12.6
vals[2] = 33.1
vals[3] = 24.1
vals[4] = 50
Value after change
vals[0] = 10.1
vals[1] = 20.23
vals[2] = 33.1
vals[3] = 70.8
vals[4] = 50

当返回引用,要小心的对象被调用不能超出范围。所以返回引用局部变量是不合法的。但是可以随时返回上一个静态变量引用。

int& func() {
   int q;
   //! return q; // Compile time error
   static int x;
   return x;     // Safe, x lives outside this scope
}