grid47 Exploring patterns and algorithms
Sep 24, 2024
5 min read
Solution to LeetCode 435: Non-overlapping Intervals Problem
Given an array of intervals, where each interval is represented by a pair of integers [start, end], the goal is to determine the minimum number of intervals to remove to make the rest non-overlapping. Intervals that only touch at a point are considered non-overlapping.
Problem
Approach
Steps
Complexity
Input: You are given an array of intervals, where each interval is represented as an array of two integers: [start, end].
• Explanation: We remove the interval [1,3], and the remaining intervals are non-overlapping.
• Input: Input: intervals = [[1,2],[1,2],[1,2]]
• Explanation: We need to remove two of the [1,2] intervals to make the rest non-overlapping.
• Input: Input: intervals = [[1,2],[2,3]]
• Explanation: The intervals are already non-overlapping, so no removal is necessary.
Approach: We will use a greedy algorithm to minimize the number of intervals removed. The idea is to always keep the interval with the smallest end time to reduce the chance of overlaps.
Observations:
• Sorting the intervals by their end times will help us efficiently select intervals that minimize overlaps.
• By keeping intervals with the earliest end time, we can maximize the space available for future intervals, thereby minimizing the number of removed intervals.
Steps:
• 1. Sort the intervals based on their end times.
• 2. Iterate through the sorted intervals and keep track of the last non-overlapping interval.
• 3. For each interval, if it overlaps with the last kept interval, increment the removal count.
• 4. Return the total number of removed intervals.
Empty Inputs:
• If the intervals array is empty, return 0 as there are no intervals to remove.
Large Inputs:
• If the intervals array contains a large number of intervals, ensure the algorithm handles it efficiently.
Special Values:
• If all intervals are already non-overlapping, return 0.
Constraints:
• Handle cases where all intervals are identical, or where no intervals overlap.
interaseOverlapIntervals(vector<vector<int>>& ivl) {
sort(ivl.begin(), ivl.end());
int ans =0;
int n = ivl.size();
int prv =0;
for(int cur =1; cur < n; cur++) {
// [1, 5]. [3, 6]
// [2, 8]. [3, 5]
if(ivl[cur][0] < ivl[prv][1]) {
ans++;
if(ivl[cur][1] <= ivl[prv][1])
prv = cur;
} else {
prv = cur;
}
}
return ans;
}