当前位置: 首页 > 文档资料 > 算法珠玑 >

linear-list/array/meeting-rooms

优质
小牛编辑
116浏览
2023-12-01

Meeting Rooms

描述

Given an array of meeting time intervals where intervals[i] = [starti, endi], determine if a person could attend all meetings.

Example 1:

Input: intervals = [[0,30],[5,10],[15,20]]
Output: false

Example 2:

Input: intervals = [[7,10],[2,4]]
Output: true

分析

先排序,然后遍历数组,判断前后两个区间是否重叠。

// Meeting Rooms
// Time Complexity: O(nlogn), Space Complexity: O(1)
class Solution {
    public boolean canAttendMeetings(int[][] intervals) {
        Arrays.sort(intervals, (a, b) -> a[0] - b[0]);
        for (int i = 0; i < intervals.length - 1; i++) {
            if (intervals[i][1] > intervals[i + 1][0]) {
                return false;
            }
        }
        return true;
    }
}
// TODO

相关题目