这摘自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;
}

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

最佳答案

“这是正确的方法吗?”

是的。 请注意,它不是局部变量,而是实际返回的局部变量的拷贝,这是完全有效且正确的做法。注意在通过指针或引用返回时返回局部变量,而不是在通过值返回时返回。

关于c++ - 从C++中的函数返回局部变量?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/19883631/

10-09 13:33