C ++ - 我应该使`operator +`const?它会返回参考吗?

时间:2012-11-16 05:11:37

标签: c++ oop reference operators operator-overloading

当一个类重载operator+时,是否应将其声明为const,因为它不对该对象进行任何赋值? 此外,我知道operator=operator+=会返回引用,因为已进行了分配。但是,operator+呢?当我实现它时,我应该复制当前对象,将给定对象添加到该对象,并返回该值吗?

这就是我所拥有的:

class Point
{
public:
    int x, int y;

    Point& operator += (const Point& other) {
        X += other.x;
        Y += other.y;
        return *this;
    }

    // The above seems pretty straightforward to me, but what about this?:
    Point operator + (const Point& other) const { // Should this be const?
        Point copy;
        copy.x = x + other.x;
        copy.y = y + other.y;
        return copy;
    }
};

这是operator+的正确实施吗?或者是否有一些我可以忽略的东西会导致麻烦或不必要的/未定义的行为?

1 个答案:

答案 0 :(得分:6)

更好的是,你应该把它变成一个自由的功能:

Point operator+( Point lhs, const Point& rhs ) { // lhs is a copy
    lhs += rhs;
    return lhs;
}

但是,是的,如果你把它作为一个成员函数,它应该是const,因为它不会修改左侧对象。

关于是否返回引用或副本,运算符重载的建议是做的基本类型(即像int那样做)。在这种情况下,对两个整数的加法返回一个单独的整数,该整数不是对任何一个输入的引用。