391. Perfect Rectangle
Given N axis-aligned rectangles where N > 0, determine if they all together form an exact cover of a rectangular region.
Each rectangle is represented as a bottom-left point and a top-right point. For example, a unit square is represented as [1,1,2,2]. (coordinate of bottom-left point is (1, 1) and top-right point is (2, 2)).

Example 1:
rectangles = [ [1,1,3,3], [3,1,4,2], [3,2,4,4], [1,3,2,4], [2,3,3,4] ] Return true. All 5 rectangles together form an exact cover of a rectangular region.

Example 2:
rectangles = [ [1,1,2,3], [1,3,2,4], [3,1,4,2], [3,2,4,4] ] Return false. Because there is a gap between the two rectangular regions.

Example 3:
rectangles = [ [1,1,3,3], [3,1,4,2], [1,3,2,4], [3,2,4,4] ] Return false. Because there is a gap in the top center.

Example 4:
rectangles = [ [1,1,3,3], [3,1,4,2], [1,3,2,4], [2,2,4,4] ] Return false. Because two of the rectangles overlap with each other.
Rust Solution
struct Solution;
use std::collections::HashMap;
impl Solution {
fn is_rectangle_cover(rectangles: Vec<Vec<i32>>) -> bool {
let x1 = rectangles.iter().map(|v| v[0]).min().unwrap();
let y1 = rectangles.iter().map(|v| v[1]).min().unwrap();
let x2 = rectangles.iter().map(|v| v[2]).max().unwrap();
let y2 = rectangles.iter().map(|v| v[3]).max().unwrap();
let area = (x2 - x1) * (y2 - y1);
let sum: i32 = rectangles
.iter()
.map(|v| (v[2] - v[0]) * (v[3] - v[1]))
.sum();
if sum != area {
return false;
}
let mut hm: HashMap<(i32, i32), usize> = HashMap::new();
for v in rectangles {
*hm.entry((v[0], v[1])).or_default() += 1;
*hm.entry((v[2], v[3])).or_default() += 1;
*hm.entry((v[0], v[3])).or_default() += 1;
*hm.entry((v[2], v[1])).or_default() += 1;
}
for (k, v) in hm {
if k == (x1, y1) || k == (x1, y2) || k == (x2, y1) || k == (x2, y2) {
if v != 1 {
return false;
}
} else {
if v % 2 != 0 {
return false;
}
}
}
true
}
}
#[test]
fn test() {
let rectangles = vec_vec_i32![
[1, 1, 3, 3],
[3, 1, 4, 2],
[3, 2, 4, 4],
[1, 3, 2, 4],
[2, 3, 3, 4]
];
let res = true;
assert_eq!(Solution::is_rectangle_cover(rectangles), res);
}
Having problems with this solution? Click here to submit an issue on github.