MrainW's Home

All things come to those who wait!

0%

LeetCode 1272. Remove Interval

Question

A set of real numbers can be represented as the union of several disjoint intervals, where each interval is in the form [a, b). A real number x is in the set if one of its intervals [a, b) contains x (i.e. a <= x < b).

You are given a sorted list of disjoint intervals intervals representing a set of real numbers as described above, where intervals[i] = [ai, bi] represents the interval [ai, bi). You are also given another interval toBeRemoved.

Return the set of real numbers with the interval toBeRemoved removed from intervals. In other words, return the set of real numbers such that every x in the set is in intervals but not in toBeRemoved. Your answer should be a sorted list of disjoint intervals as described above.

https://leetcode.com/problems/remove-interval/

  • Solution1
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
class Solution {
public List<List<Integer>> removeInterval(int[][] intervals, int[] toBeRemoved) {
List<List<Integer>> res = new ArrayList<>();
for(int[] i : intervals){
if (i[1] <= toBeRemoved[0] || i[0] >= toBeRemoved[1]){
res.add(Arrays.asList(i[0], i[1]));
} else{
if (i[0] < toBeRemoved[0])
res.add(Arrays.asList(i[0], toBeRemoved[0]));
if (i[1] > toBeRemoved[1])
res.add(Arrays.asList(toBeRemoved[1], i[1]));
}
}
return res;
}
}

Complexity:

Time complexity: O( n)

Space complexity: O(n)

Welcome to my other publishing channels