We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Remove Covered Intervals

Difficulty: Medium


Problem Description

Given an array intervals where intervals[i] = [li, ri] represent the interval [li, ri), remove all intervals that are covered by another interval in the list. The interval [a, b) is covered by the interval [c, d) if and only if c <= a and b <= d. Return the number of remaining intervals.


Key Insights

  • An interval is covered if there exists another interval that starts before it and ends after it.
  • Sorting the intervals by their starting point helps to simplify the comparison.
  • A greedy approach can be used to keep track of the non-covered intervals as we iterate through the sorted list.

Space and Time Complexity

Time Complexity: O(n log n) - due to the sorting step. Space Complexity: O(1) - we can solve the problem using a constant amount of extra space.


Solution

To solve the problem, we can follow these steps:

  1. Sort the intervals based on their starting points (and ending points for tie-breaking).
  2. Initialize a variable to track the end of the last added interval.
  3. Iterate through the sorted intervals, adding an interval to the result only if it is not covered by the last added interval.
  4. Count the number of non-covered intervals and return that count.

Code Solutions

def removeCoveredIntervals(intervals):
    # Sort the intervals by start time, and by end time in descending order for ties
    intervals.sort(key=lambda x: (x[0], -x[1]))
    count = 0
    current_end = 0
    
    for start, end in intervals:
        # If the current interval's end is greater than the last end recorded
        if end > current_end:
            count += 1
            current_end = end  # Update the end to the current interval's end
    
    return count
← Back to All Questions