Java check if two rectangles overlap at any point
Background:
A rectangle can be defined by just one of its diagonal.
Let's say the first rectangle's diagonal is (x1, y1) to (x2, y2)
And the other rectangle's diagonal is (x3, y3) to (x4, y4)
Proceeding:
Now, if any of these 4 conditions is true, we can conclude that the rectangles are not overlapping:
- x3 > x2 (OR)
- y3 > y2 (OR)
- x1 > x4 (OR)
- y1 > y4
Otherwise, they overlap!
Alternatively:
The rectangles overlap if
(x1 < x4) && (x3 < x2) && (y1 < y4) && (y3 < y2)
Sample solution on Leetcode:
https://leetcode.com/problems/rectangle-overlap/discuss/468548/Java-check-if-two-rectangles-overlap-at-any-point
This will find if the rectangle is overlapping another rectangle:
public boolean overlaps (Rectangle r) {
return x < r.x + r.width && x + width > r.x && y < r.y + r.height && y + height > r.y;
}