반응형

https://leetcode.com/problems/non-overlapping-intervals/

 

Non-overlapping Intervals - LeetCode

Non-overlapping Intervals - Given an array of intervals intervals where intervals[i] = [starti, endi], return the minimum number of intervals you need to remove to make the rest of the intervals non-overlapping.   Example 1: Input: intervals = [[1,2],[2,3

leetcode.com


문제

Given an array of intervals intervals where intervals[i] = [starti, endi], return the minimum number of intervals you need to remove to make the rest of the intervals non-overlapping.

 

Example 1:

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

Example 2:

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

Example 3:

Input: intervals = [[1,2],[2,3]]
Output: 0
Explanation: You don't need to remove any of the intervals since they're already non-overlapping.

 

Constraints:

  • 1 <= intervals.length <= 105
  • intervals[i].length == 2
  • -5 * 104 <= starti < endi <= 5 * 104

풀이

풀이 과정

시작점과 종료점으로 이루어진 인터벌의 배열이 주어질 때 모든 인터벌들이 겹치지 않게 하기위해서 제거해야하는 인터벌의 최소 개수를 구하는 문제이다.

우선 전달받은 배열의 길이가 1이하인 경우에는 겹치는 인터벌이 존재할 수 없으므로 삭제할 인터벌이 없다. 따라서 바로 0을 return 한다.

int answer = 0;
        
// 인터벌 배열의 길이가 1이하인 경우 겹치는 인터벌이 존재할 수 없으므로 0을 return
if(intervals.length <= 1) return 0;

 

인터벌들을 탐색하기 위해 종료점을 오름차순으로 정렬한다.

// 인터벌 종료점 오름차순으로 정렬
Arrays.sort(intervals, (o1, o2) -> { return o1[1] - o2[1]; });

 

이전 인터벌과 현재 인터벌로 나누어 두 인터벌이 겹치는 경우 현재 인터벌을 삭제한다(정답 카운트를 증가시킨다).
겹치지 않는 경우에는 인터벌을 삭제하지 않고 이전 인터벌을 현재인터벌로 갱신하고 탐색을 계속한다.

// 이전 인터벌 종료점
// 첫 번째 인터벌의 종료점으로 설정
int prevEnd = intervals[0][1];
// 두 번째 인터벌부터 탐색 시작
for(int i = 1; i < intervals.length; i++) {
    // 이전 인터벌 종료점이 현재 인터벌 시작점보다 큰 경우
    if(prevEnd > intervals[i][0]) {
        // 현재 인터벌을 삭제
        answer++;
    } 
    // 이전 인터벌과 현재 인터벌이 겹치지 않는 경우
    else {
        // 이전 인터벌 종료점 갱신
        prevEnd = intervals[i][1];
    }
}

 

최종 카운트를 return 한다.

return answer;

최종 코드

class Solution {
    public int eraseOverlapIntervals(int[][] intervals) {
        int answer = 0;
        
        // 인터벌 배열의 길이가 1이하인 경우 겹치는 인터벌이 존재할 수 없으므로 0을 return
        if(intervals.length <= 1) return 0;
        
        // 인터벌 종료점 오름차순으로 정렬
        Arrays.sort(intervals, (o1, o2) -> { return o1[1] - o2[1]; });
        
        // 이전 인터벌 종료점
        // 첫 번째 인터벌의 종료점으로 설정
        int prevEnd = intervals[0][1];
        // 두 번째 인터벌부터 탐색 시작
        for(int i = 1; i < intervals.length; i++) {
            // 이전 인터벌 종료점이 현재 인터벌 시작점보다 큰 경우
            if(prevEnd > intervals[i][0]) {
                // 현재 인터벌을 삭제
                answer++;
            } 
            // 이전 인터벌과 현재 인터벌이 겹치지 않는 경우
            else {
                // 이전 인터벌 종료점 갱신
                prevEnd = intervals[i][1];
            }
        }

        return answer;
    }
}

 

반응형
HYOJUN