3

我有一个 Rectangle2D 和一个 Line2D。我想“剪裁”这条线,以便只保留矩形内的那部分线。如果没有一条线在矩形内,我希望将线设置为 (0,0,0,0)。基本上类似于

Rectangle2D.intersect(Line2D src, Line2D dest)

或类似的东西。

有没有办法用 java.awt.geom API 做到这一点?还是一种“手动”编码的优雅方式?

4

4 回答 4

3

的源代码Rectangle2D.intersectLine()可能会有所帮助:

public boolean intersectsLine(double x1, double y1, double x2, double y2) {
    int out1, out2;
    if ((out2 = outcode(x2, y2)) == 0) {
        return true;
    }
    while ((out1 = outcode(x1, y1)) != 0) {
        if ((out1 & out2) != 0) {
            return false;
        }
        if ((out1 & (OUT_LEFT | OUT_RIGHT)) != 0) {
            double x = getX();
            if ((out1 & OUT_RIGHT) != 0) {
                x += getWidth();
            }
            y1 = y1 + (x - x1) * (y2 - y1) / (x2 - x1);
            x1 = x;
        } else {
            double y = getY();
            if ((out1 & OUT_BOTTOM) != 0) {
                y += getHeight();
            }
            x1 = x1 + (y - y1) * (x2 - x1) / (y2 - y1);
            y1 = y;
        }
    }
    return true;
}

其中outcode()定义为:

public int outcode(double x, double y) {
    int out = 0;
    if (this.width <= 0) {
        out |= OUT_LEFT | OUT_RIGHT;
    } else if (x < this.x) {
        out |= OUT_LEFT;
    } else if (x > this.x + this.width) {
        out |= OUT_RIGHT;
    }
    if (this.height <= 0) {
        out |= OUT_TOP | OUT_BOTTOM;
    } else if (y < this.y) {
        out |= OUT_TOP;
    } else if (y > this.y + this.height) {
        out |= OUT_BOTTOM;
    }
    return out;
}

(来自OpenJDK

将其更改为 clip 而不是返回 true 或 false 应该不难。

于 2009-03-09T16:16:41.737 回答
1

使用 AWT 没有什么好办法。您最好的选择是类似于Cohen-Sutherland 算法这是一个带有示例 Java 代码(lern2indent,amirite?)的链接,向您展示它是如何完成的。

于 2009-03-09T16:16:06.277 回答
0

通常要做的事情是在图形上下文中使用Graphics2D.clip. 您可能想要调用Graphics.create,以免干扰原始上下文。

Graphics2D g = (Graphics2D)gOrig.create();
try {
    g.clip(clip);
    ...
} finally {
    g.dispose();
}
于 2009-03-09T15:55:28.793 回答
0

好吧,我最终自己做了。

对于那些有兴趣的人,我最终通过将线变成一个矩形(使用 getBounds)来解决它,然后使用Rectangle.intersect(clipRect,lineRect,intersectLineRect)它来创建交叉点,然后将交叉点重新变成一条线。

于 2009-03-11T07:30:00.457 回答