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 }