[Leetcode] 435. Non-overlapping Intervals

4663 ワード

テーマ:leetcodeリンクGiven a collection of intervals,find the minimum number of intervals you need to remove to make the rest of the intervals non-overlapping.
Note: * You may assume the interval’s end point is always bigger than its start point. * Intervals like [1,2] and [2,3] have borders “touching” but they don’t overlap each other.
Example 1:
Input: [ [1,2], [2,3], [3,4], [1,3] ]

Output: 1

Explanation: [1,3] can be removed and the rest of intervals are non-overlapping.

Example 2:
Input: [ [1,2], [1,2], [1,2] ]

Output: 2

Explanation: You need to remove two [1,2] to make the rest of intervals non-overlapping.

Example 3:
Input: [ [1,2], [2,3] ]

Output: 0

Explanation: You don't need to remove any of the intervals since they're already non-overlapping.

注意の問題:削除する区間は最も少ないはずです.
構想:区間をend昇順に、endが同時にstart降順に並べ替えると、区間範囲が大きいと後ろに並ぶメリットがあり、削除が最も少ないと計算されます.
具体的なコード実装:
/**
 * Definition for an interval.
 * public class Interval {
 *     int start;
 *     int end;
 *     Interval() { start = 0; end = 0; }
 *     Interval(int s, int e) { start = s; end = e; }
 * }
 */
public class Solution {
    public int eraseOverlapIntervals(Interval[] intervals) {
       if(intervals == null || intervals.length == 0){
            return 0;
        }
        int len = intervals.length;
        Arrays.sort(intervals, new Comparator() {

            public int compare(Interval o1, Interval o2) {
                if(o1.end != o2.end){
                    return o1.end - o2.end;
                }else{
                    return o2.start - o1.start;
                }
            }
        });

        int result = 0;
        int temp = intervals[0].end;
        int flag = 0;
        for(int i = 1; i < len; i++) {
            int num = intervals[i].start;
            if(num < temp){
                result++;
            }else{
                temp = intervals[i].end;
            }
        }

        return result;
    }
}

注:最初は区間start昇順にstartを並べて同じ場合にend昇順に並べるという考え方であったが、このような並び方は重複区間を削除することができるが、このように削除する重複区間数は、最小限ではなく、このように残された区間がカバー範囲が小さいとは限らないため、大きな区間を例に残す可能性がある:[[1,5],[2,3],このような配列結果は、重複区間を計算する際に、1番目を基準として2番目と3番目の区間を削除する.これは間違った結果です.