与java awt的Rectangle2D
类密切相关的建模,我有我的Rectangle
pojo:
public class Rectangle {
// The Coordinate of the upper-left corner of the Rectangle.
private Coordinate upperLeft; // upperLeft.getXVal() and upperLeft.getYVal()
// The width of the Rectangle.
private BigDecimal width;
// The height of the Rectangle.
private BigDecimal height;
// Determine if we wholly contains otherRectangle. (no touching sides).
@Override
public boolean contains(Rectangle otherRectangle) {
BigDecimal x = otherRectangle.getUpperLeft().getXVal();
BigDecimal y = otherRectangle.getUpperLeft().getYVal();
BigDecimal w = otherRectangle.getWidth();
BigDecimal h = otherRectangle.getHeight();
BigDecimal x0 = getUpperLeft().getXVal();
BigDecimal y0 = getUpperLeft().getYVal();
if(isSingularity() || w.doubleValue() <= 0.0 || h.doubleValue() <= 0.0)
return false;
return (
x.doubleValue() >= x0.doubleValue() &&
y.doubleValue() >= y0.doubleValue() &&
(x.doubleValue() + w.doubleValue()) <= (x0.doubleValue() + getWidth().doubleValue()) &&
(y.doubleValue() + h.doubleValue()) <= (y0.doubleValue() + getHeight().doubleValue())
);
}
}
当我执行以下代码时:
// r1 has upperLeft corner at (0,4), width = 6, height = 4
// r2 has upperLeft corner at (1,2), width = 1, height = 1
Rectangle r1 = new Rectangle(new Coordinate(0,4), 6, 4);
Rectangle r2 = new Rectangle(new Coordinate(1,2), 1, 1);
boolean result = r1.contains(r2);
答案是错误的!
注意,我写这篇文章的假设如下:
upperLeft
坐标域就是-矩形的左上角;这意味着:获取右上角坐标的伪代码是
(upperLeft.x + width, upperLeft.y)
获取左下角坐标的伪代码是
(upperLeft.x, upperLeft.y - height)
获取右下角坐标的伪代码是
(upperLeft.x + width, upperLeft.y - height)
现在,我相信我的回报值有些不对劲:
return (
x.doubleValue() >= x0.doubleValue() &&
y.doubleValue() >= y0.doubleValue() &&
(x.doubleValue() + w.doubleValue()) <= (x0.doubleValue() + getWidth().doubleValue()) &&
(y.doubleValue() + h.doubleValue()) <= (y0.doubleValue() + getHeight().doubleValue())
);
但我不知道我错在哪里。有什么想法吗?
最佳答案
你把你的不平等搞混了。因为你使用左上角作为起点,你需要检查在负方向上的包容。
上面的图像绘制了y
(绿色)和r1
(粉色)要修复代码,请进行以下调整
// y must be less than y0
y.doubleValue() <= y0.doubleValue()
// y - h must be greater than y0 - h0
(y.doubleValue() - h.doubleValue()) >= (y0.doubleValue() - getHeight().doubleValue())