Problem Description
You are given a 2D integer array intervals where intervals[i] = [left_i, right_i] represents the inclusive interval [left_i, right_i]. You have to divide the intervals into one or more groups such that each interval is in exactly one group, and no two intervals that are in the same group intersect each other. Return the minimum number of groups you need to make. Two intervals intersect if there is at least one common number between them.
Key Insights
- Intervals can be represented by their start and end points.
- Sorting the intervals by their start points allows us to easily manage overlapping intervals.
- A greedy approach can be used to assign intervals to groups based on their end points.
- A min-heap (or priority queue) can efficiently keep track of the end points of current groups to determine if a new interval can be added to an existing group or if a new group is needed.
Space and Time Complexity
Time Complexity: O(n log n) - due to sorting the intervals. Space Complexity: O(n) - for the min-heap that stores the end points of the groups.
Solution
To solve this problem, we can follow these steps:
- Sort the intervals based on their start points.
- Use a min-heap to track the end points of the groups.
- Iterate through each interval:
- If the starting point of the current interval is greater than the smallest end point in the heap, we can merge this interval into that group (remove the smallest end point from the heap).
- Add the current interval's end point to the heap.
- The size of the heap at the end will give us the minimum number of groups required.