LeetCode 253. Meeting Rooms II
Question
Given an array of meeting time intervals intervals
where intervals[i] = [starti, endi]
, return the minimum number of conference rooms required.
Example 1:
1 | Input: intervals = [[0,30],[5,10],[15,20]] |
Example 2:
1 | Input: intervals = [[7,10],[2,4]] |
Constraints:
1 <= intervals.length <= 104
0 <= starti < endi <= 106
Source: https://leetcode.com/problems/meeting-rooms-ii/
Solution
We can simulate the schedule of meeting rooms by a min heap of ends of intervals. Because when a new meeting comes in, we only need to compare its start time with the end time of the earliest ending meeting, and decide whether we should add one more room. Note that in the following implementation, we poll at most one element from the heap per loop, rather than polling all terminated meetings, because we choose return the size of the heap as the result.
Logically chronological ordering solution is further optimized, though its time complexity is the same heap-based solution, O(nlog(n))
. The idea is break the relationship between start and end. We sort starts and ends separately, and use two pointers to traverse them. We can still get the correct result because we do not care about which meeting ends and makes a room spare, but the timepoint of the end. One evidence is that in the heap-based solution, we only stores ends of intervals in the heap.
1 | // heap, O(nlog(n)) |
LeetCode 253. Meeting Rooms II
http://yenotes.org/2022/01/24/LeetCode-253-Meeting-Rooms-II/