关于赋值的一件有意思的事情是你可以把它们穿成一串。
int x, y, z;
x = y = z = 15; // chain of assignments
另一件有意思的事情是赋值是右结合的,所以,上面的赋值串可以解析成这样:
x = (y = (z = 15));
这里,15 赋给 z,然后将这个赋值的结果(最新的 z)赋给 y,然后将这个赋值的结果(最新的 y)赋给 x。
这里实现的方法就是让赋值运算符返回一个左侧参数的引用,而且这就是当你为你的类实现赋值运算符时应该遵守的约定:
class Widget { public: ... Widget& operator=(const Widget& rhs) // return type is a reference to { // the current class ... return *this; // return the left-hand object } ... }; |