252. Meeting Rooms
252. Meeting Rooms
Problem Statement
Given an array of meeting time intervals where intervals[i] = [starti, endi], determine if a person could attend all meetings.
Examples
Example 1:
Input: intervals = [[0,30],[5,10],[15,20]]
Output: false
Explanation: [0,30] overlaps with [5,10] (and with [15,20]), so the person cannot attend all.
Example 2:
Input: intervals = [[7,10],[2,4]]
Output: true
Explanation: No overlap; the person can attend all meetings.
Constraints
0 <= intervals.length <= 10^4intervals[i].length == 20 <= starti < endi <= 10^6
Clarification Questions
- Overlap: Are two intervals that only touch at an endpoint (e.g. [1,2] and [2,3]) considered overlapping? (Typically no — one can end as the next starts.)
- Empty input: Return true for empty or single-interval input.
Solution Approach
Sort intervals by start time. Then any overlap would appear between consecutive pairs: if the next meeting starts before the previous one ends, there is an overlap. So for each i >= 1, check intervals[i][0] < intervals[i-1][1]; if true, return false. Otherwise return true.
Solution: Sort and Check Consecutive Pairs
class Solution:
def canAttendMeetings(self, intervals: List[List[int]]) -> bool:
n = len(intervals)
if n < 2: return True
intervals.sort(key=lambda x: x[0])
i, j = 0, 1
while j < n:
if intervals[j][0] < intervals[i][1]:
return False
i, j = i + 1, j + 1
return True
class Solution:
def canAttendMeetings(self, intervals: List[List[int]]) -> bool:
n = len(intervals)
if n < 2: return True
intervals.sort(key=lambda x: (x[0], x[1]))
prev_end = intervals[0][1]
for start, end in intervals[1:]:
if start < prev_end:
return False
prev_end = end
return True
- Time: O(n log n) — sort dominates.
- Space: O(log n) for sort (or O(1) if in-place sort).
Key Insights
- Sort by start: After sorting, overlaps can only occur between adjacent intervals.
- Overlap condition: Current start < previous end ⇒ overlap.
- Follow-up: 253. Meeting Rooms II asks for the minimum number of rooms (sweep line or min-heap).
Related Problems
- 253. Meeting Rooms II — Minimum number of rooms
- 56. Merge Intervals — Merge overlapping intervals