LeetCode 252. Meeting Rooms (Java版; Easy)

welcome to my blog

LeetCode Top 100 Liked Questions 252. Meeting Rooms (Java版; Easy)

题目描述

Given an array of meeting time intervals consisting of start and end times [[s1,e1],[s2,e2],...] (si < ei), determine if a person could attend all meetings.

Example 1:

Input: [[0,30],[5,10],[15,20]]
Output: false
Example 2:

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

如果区间有重合就不能参加会议; 核心: 将时间段按照开始时间排序, 然后遍历数组, 判断相邻两个时间段之间是否有重叠

//如果区间有重合就不能参加所有会议
class Solution {
     
    public boolean canAttendMeetings(int[][] intervals) {
     
        //按照开始时间升序排序
        Arrays.sort(intervals, (a,b)->a[0]-b[0]);
        //从第二个时间段开始遍历, 判断相邻两个时间段之间是否有重叠
        for(int i=1; i<intervals.length; i++){
     
            //如果当前时间段的开始时间小于上一个时间段的结束时间, 说明区间有重合, 返回false
            if(intervals[i][0] < intervals[i-1][1])
                return false;
        }
        return true;
    }
}

你可能感兴趣的:(java,leetcode,数据结构,算法)