Meeting Rooms II
Given an array of meeting time intervals consisting of start and end times [[s1,e1],[s2,e2],...](si < ei), find the minimum number of conference rooms required.
Constraints:
- 0 <= intervals.length <= 1000
- 0 <= starti < endi <= 2^31 - 1
Examples:
Input: [[0,30],[5,10],[15,20]]
Output: 2
Explanation: We need two rooms for the meetings [0,30] and [5,10] and [15,20].
Solutions
Sorting and Priority Queue
We sort the intervals by their start times. Then we initialize a priority queue with the end time of the first interval. We iterate over the rest of the intervals. If the start time of the current interval is greater than or equal to the smallest end time in the queue, we remove that end time from the queue. Then we add the end time of the current interval to the queue. Finally, we return the size of the queue, which represents the minimum number of rooms required.
import java.util.PriorityQueue;
public
class Solution {
public int minMeetingRooms(int[][] intervals) {
if (intervals.length == 0) return 0;
Arrays.sort(intervals, (a, b) -> a[0] - b[0]);
PriorityQueue<Integer> rooms = new PriorityQueue<>();
rooms.add(intervals[0][1]);
for (int i = 1;
i < intervals.length;
i++) {
if (intervals[i][0] >= rooms.peek()) {
rooms.poll();
}
rooms.add(intervals[i][1]);
}
return rooms.size();
}
}
Follow-up:
What if we also need to find the actual rooms assigned to each meeting?