从c ++中的函数返回局部变量?

时间:2013-11-09 22:02:41

标签: c++ function

摘自one of the c++ tutorials

// vectors: overloading operators example
#include <iostream>
using namespace std;

class CVector {
  public:
    int x,y;
    CVector () {};
    CVector (int,int);
    CVector operator + (CVector);
};

CVector::CVector (int a, int b) {
  x = a;
  y = b;
}

CVector CVector::operator+ (CVector param) {
  CVector temp;
  temp.x = x + param.x;
  temp.y = y + param.y;
  return (temp);
}

int main () {
  CVector a (3,1);
  CVector b (1,2);
  CVector c;
  c = a + b;
  cout << c.x << "," << c.y;
  return 0;
}

在运算符重载函数中,它创建一个局部变量temp然后返回它,我很困惑,这是正确的方法吗?

2 个答案:

答案 0 :(得分:5)

“这是正确的方法吗?”

是的。 请注意,它不是本地变量,而是实际返回的本地变量的副本,这是完美的有效和正确的事情。在通过指针或引用返回时返回局部变量时要小心,而不是在 按值返回 时返回。

答案 1 :(得分:1)

是的,因为它是按价值返回的。如果该函数具有后面的签名,那么它就不正确:

CVector& CVector::operator+(CVector param);

顺便说一下,更有效的实现方式如下:

CVector CVector::operator+(const CVector &param) const;