forked from DengWangBao/Leetcode-Java
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathMeetingRoomsII.java
30 lines (28 loc) · 930 Bytes
/
MeetingRoomsII.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
import java.util.Arrays;
import java.util.Comparator;
import java.util.PriorityQueue;
import java.util.Queue;
public class MeetingRoomsII {
// 耗时7ms,时间复杂度O(nlgn)
public int minMeetingRooms(Interval[] intervals) {
Arrays.sort(intervals, new Comparator<Interval>() {
@Override
public int compare(Interval o1, Interval o2) {
return o1.start - o2.start;
}
});
Queue<Interval> queue = new PriorityQueue<Interval>(new Comparator<Interval>() {
@Override
public int compare(Interval o1, Interval o2) {
return o1.end - o2.end;
}
});
for (Interval interval : intervals) {
if (!queue.isEmpty() && interval.start >= queue.peek().end) {
queue.poll();
}
queue.add(interval);
}
return queue.size();
}
}