LeetCode 252. Meeting Rooms (Java版; Easy)

littlehaes發表於2020-02-04

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;
    }
}

相關文章