以下是网站上的示例:http://www.cplusplus.com/doc/tutorial/classes2/ 我知道这是一个有效的例子。但是,我不明白为什么可以从operator +重载函数返回对象temp。除了代码之外,我已经做了一些评论。
// 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); ***// Isn't object temp be destroyed after this function exits ?***
}
int main () {
CVector a (3,1);
CVector b (1,2);
CVector c;
c = a + b; ***// If object temp is destroyed, why does this assignment still work?***
cout << c.x << "," << c.y;
return 0;
}
答案 0 :(得分:8)
在您的示例中,您不返回对象引用,只需按值返回对象。
对象temp实际上在函数退出后被销毁,但到那时它的值被复制到堆栈上。
答案 1 :(得分:4)
CVector CVector::operator+ (CVector param) {
这一行表示返回一个CVector的独立副本(对象引用看起来像CVector& ...
),所以
CVector temp;
temp.x = x + param.x;
temp.y = y + param.y;
return (temp);
当返回时,外部范围获得一个全新的临时副本。所以是温度不再与我们在一起,但外部范围将收到一份副本。
答案 2 :(得分:2)
您可以按值返回,因此会在temp
被销毁之前复制它。
答案 3 :(得分:2)
在编译器优化之后,将在将返回的地址上创建对象。不会在堆栈上创建临时对象 - &gt;然后复制到返回地址 - &gt;然后摧毁它。
答案 4 :(得分:1)
它是按价值返回的 这意味着该值的副本是从temp生成并返回的。
要通过引用返回对象,您必须在返回值签名中包含&amp; 。