当返回对调用该函数的对象的引用时,返回的引用可用于链接单个对象上的函数调用。
在这里,我正在应用相同的概念。但是如果我以不同方式初始化对象,我会得到不同的输出。
第一个例子:
#include<iostream>
using namespace std;
class Test
{
private:
int x;
int y;
public:
Test(int x = 0, int y = 0) { this->x = x; this->y = y; }
Test &setX(int a) { x = a; return *this; }
Test &setY(int b) { y = b; return *this; }
void print() { cout << "x = " << x << " y = " << y << endl; }
};
int main()
{
Test obj1(5, 5);
// Chained function calls. All calls modify the same object
// as the same object is returned by reference
obj1.setX(10).setY(20);
obj1.print();
return 0;
}
输出为10和20,这是正确的。
但是,第二个例子的输出不正确:
#include<iostream>
using namespace std;
class Test
{
private:
int x;
int y;
public:
Test (int x = 0, int y = 0) { this->x = x; this->y = y; }
Test setX(int a) { x = a; return *this; }
Test setY(int b) { y = b; return *this; }
void print() { cout << "x = " << x << " y = " << y << endl; }
};
int main()
{
Test obj1;
obj1.setX(10).setY(20);
obj1.print();
return 0;
}
输出为10和0。
为什么呢?我认为两者都是一样的,第二个程序的输出也应该是10和20。它有什么不同?
答案 0 :(得分:5)
不同之处在于程序的第二个版本按值返回。这意味着第二次调用(即setY
)是在obj1
的副本上执行的,而不是obj1
本身。这就是为什么只有X
最终被设置,而不是Y
。
另一方面,在你的第一个程序中,setter返回结果作为参考。这意味着不会进行任何复制,因此setY
在与setX
相同的对象上调用,而不是在其副本上调用。