17

假设我定义了这个结构:

struct Point {
   double x, y;
};

我怎样才能重载+运算符,以便声明,

Point a, b, c;
double k;

表达方式

c = a + b;

产量

c.x = a.x + b.x;
c.y = a.y + b.y;

和表达式

c = a + k;

产量

c.x = a.x + k;
c.y = a.y + k; // ?

对于后一种情况,交换性质是否成立?也就是说,做c = a + k;c = k + a;必须分开处理吗?

4

4 回答 4

23

去做就对了:

Point operator+( Point const& lhs, Point const& rhs );
Point operator+( Point const& lhs, double rhs );
Point operator+( double lhs, Point const& rhs );

关于您的最后一个问题,编译器不会 对您的操作员所做的事情做出任何假设。(请记住, +运算符 onstd::string不是可交换的。)因此您必须提供两个重载。

或者,您可以提供 to 的隐式转换 doublePoint通过在 中具有转换构造函数 Point)。在这种情况下,上面的第一个重载将处理所有三种情况。

于 2012-11-20T18:59:56.357 回答
11

这是我将如何做到的。

struct Point {
   double x, y;
   struct Point& operator+=(const Point& rhs) { x += rhs.x; y += rhs.y; return *this; }
   struct Point& operator+=(const double& k) { x += k; y += k; return *this; }
};

Point operator+(Point lhs, const Point& rhs) { return lhs += rhs; }
Point operator+(Point lhs, const double k) { return lhs += k; }
Point operator+(const double k, Point rhs) { return rhs += k; }
于 2012-11-20T19:10:43.573 回答
6

在 C++ 中,结构和类之间只有一个区别:在结构中,默认可见性是公共的,而在类中是私有的。

除此之外,您可以在结构中的类中做任何您想做的事情,并且看起来完全一样。

像在类中一样在结构中编写运算符重载。

于 2012-11-20T18:58:42.470 回答
3

这也将起作用:

struct Point{
    double x,y;
    Point& operator+(const Point& rhs){ 
            x += rhs.x;
            y += rhs.y;
            return *this;
    }
}
于 2015-04-10T12:43:26.223 回答