#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;
}
在这个程序中,如果我使用链接函数,则x和y的值为:x = 10,y = 0而不是x = 10,y = 20
如果不是链接功能,我使用: obj1.setX(10)和obj1.setY(20)分开, x值变为10 y值达到20。 有人可以解释为什么会这样。
答案 0 :(得分:1)
您的set *方法正在返回Test对象的副本。
因此,当您对呼叫进行链接时,setY将应用于临时副本,并被丢弃。
答案 1 :(得分:1)
您可以返回对象的引用:
Test &setX(int a) { x = a; return *this; }
Test &setY(int b) { x = b; return *this; }
或者存储已更改对象的副本:
Test obj1;
Test objCopy = obj1.setX(10).setY(20);
objCopy.print();
由于不复制对象,首先效率更高。