Rectangle Overlap - Math - Easy - LeetCode
💻 coding

Rectangle Overlap - Math - Easy - LeetCode

1 min read 172 words
1 min read
ShareWhatsAppPost on X
  • 1A rectangle is defined by its bottom-left and top-right corner coordinates in a list format.
  • 2Two rectangles overlap if their intersection area is positive, meaning they cannot just touch at edges or corners.
  • 3The provided solution checks for overlap using a distance function to determine width and height between rectangles.

AI-generated summary · May not capture all nuances

Key Insight
AskGif

"A rectangle is defined by its bottom-left and top-right corner coordinates in a list format."

Rectangle Overlap - Math - Easy - LeetCode

A rectangle is represented as a list [x1, y1, x2, y2], where (x1, y1) are the coordinates of its bottom-left corner, and (x2, y2) are the coordinates of its top-right corner.

Two rectangles overlap if the area of their intersection is positive. To be clear, two rectangles that only touch at the corner or edges do not overlap.

Given two (axis-aligned) rectangles, return whether they overlap.

Example 1:

Input: rec1 = [0,0,2,2], rec2 = [1,1,3,3] Output: true Example 2:

Input: rec1 = [0,0,1,1], rec2 = [1,0,2,1] Output: false Notes:

Both rectangles rec1 and rec2 are lists of 4 integers. All coordinates in rectangles will be between -10^9 and 10^9.

public class Solution {
 public bool IsRectangleOverlap(int[] rec1, int[] rec2) {
 int width = distance(rec1[0],rec2[0],rec1[2],rec2[2]);
 int height = distance(rec1[1],rec2[1],rec1[3],rec2[3]);
 
 if(width<=0 || height<=0){
 return false;
 }
 
 return true;
 }
 
 int distance(int bxy1, int bxy2, int txy1, int txy2) {
 if(bxy1 > txy2 || bxy2 > txy1) {
 return 0;
 }
 return Math.Min(txy1, txy2) - Math.Max(bxy1, bxy2);
 }
}

Time Complexity: O(1)

Space Complexity: O(1)

Enjoyed this article?

Share it with someone who'd find it useful.

ShareWhatsAppPost on X

sumitc91

Published on 1 October 2020 · 1 min read · 172 words

Part of AskGif Blog · coding

You might also like

Rectangle Overlap - Math - Easy - LeetCode | AskGif Blog