返回对调用对象的引用 (C++)

Returning a reference to the calling object (C++)

理解这段代码有点困难:

#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;
}

为什么我们必须 return“*this”作为参考,而不仅仅是 returning“*this”?

如果setX改为

Test setX(int a) { x = a; return *this; }

然后它 returns copy *this 而不是对它的引用。所以在

obj1.setX(10).setY(20);

在副本上调用 setY,而不是在 obj1 本身上调用。副本被丢弃并且 obj1.y 永远不会从其初始值 5 进行修改。