是否可以在 Java 中重载运算符?

2022-09-01 17:32:11

我有以下类,它描述了XY曲面上的一个点:

class Point{
    double x;
    double y;

    public Point(int x, int y){
        this.x = x;
        this.y = y;
    }
}

因此,我想过度引用和运算符,以便有可能编写以下代码运行:+-

Point p1 = new Point(1, 2);
Point p2 = new Point(3, 4);
Point resAdd = p1 + p2; // answer (4, 6)
Point resSub = p1 - p2; // answer (-2, -2)

我该如何在Java中做到这一点?或者我应该使用这样的方法:

public Point Add(Point p1, Point p2){
    return new Point(p1.x + p2.x, p1.y + p2.y);
}

提前致谢!


答案 1

你不能在Java中这样做。您必须在类中实现 or 方法。plusaddPoint

class Point{
    public double x;
    public double y;

    public Point(int x, int y){
        this.x = x;
        this.y = y;
    }

    public Point add(Point other){
        this.x += other.x;
        this.y += other.y;
        return this;
    }
}

用法

Point a = new Point(1,1);
Point b = new Point(2,2);
a.add(b);  //=> (3,3)

// because method returns point, you can chain `add` calls
// e.g., a.add(b).add(c)

答案 2

尽管你不能用纯java做到这一点,但你可以使用java-oo编译器插件来做到这一点。您需要为 + 运算符编写 add 方法:

public Point add(Point other){
   return new Point(this.x + other.x, this.y + other.y);
}

和java-oo插件只是解吸运算符到这些方法调用。


推荐