986. Interval List Intersections
Problem Description
This LeetCode problem involves finding the intersection of two lists of sorted and disjoint intervals. An interval is defined as a pair of numbers [a, b]
indicating all real numbers x where a <= x <= b
. The intervals within each list do not overlap and are listed sequentially.
When two intervals intersect, the result is either an empty set (if there is no common overlap) or another interval that describes the common range between the two. The objective is to calculate the set of intersecting intervals between two given lists of intervals, where each list is independently sorted and non-overlapping.
Intuition
The intuition behind solving this problem lies in two main concepts: iteration and comparison. Since the lists are sorted, we can use two pointers, one for each list, and perform a step-wise comparison to determine if there are any overlaps between intervals.
The steps are as follows:
-
We initialize two pointers, each pointing to the first interval of the respective lists.
-
At each step, we consider the intervals where the pointers are currently pointing. We find the latest starting point and the earliest ending point between these two intervals. If the starting point is less than or equal to the ending point, then this range is the overlap of these intervals, and we add it to the answer.
-
We then move the pointer of the interval that finishes earlier to the next one in its list. This is because the finished interval cannot intersect with any other intervals in the other list, given that the intervals are disjoint and sorted.
-
We keep doing this until we have exhausted at least one list.
This approach ensures that we're always moving forward, never reassessing intervals we've already considered, which allows us to find all possible intersections in an efficient manner.
Learn more about Two Pointers patterns.
Solution Approach
The implementation of the solution leverages a two-pointer approach which is an algorithmic pattern used to traverse arrays or lists in a certain order, exploiting any intrinsic order to optimize performance, space, or complexity. Here's how it's applied:
-
We start by initializing two integer indices,
i
andj
, to zero. These will serve as the pointers that iterate overfirstList
andsecondList
respectively. -
We run a
while
loop that continues as long as neitheri
norj
has reached the end of their respective lists (i < len(firstList)
andj < len(secondList)
). -
Inside the loop, we extract the start (
s1
,s2
) and end (e1
,e2
) points of the current intervals fromfirstList
andsecondList
using tuple unpacking:s1, e1, s2, e2 = *firstList[i], *secondList[j]
. -
We then determine the start of the overlapping interval as the maximum of
s1
ands2
, and the end of the overlapping interval as the minimum ofe1
ande2
. If the start of this potential intersection is not greater than its end (l <= r
), it means we have a valid overlapping interval, which we append to our answer listans
. -
To move our pointers forward, we compare the ending points of the current intervals and increment the index (
i
orj
) of the list with the smaller endpoint because any further intervals in the other list can't possibly intersect with the interval that has just finished. -
After the loop concludes (when one list is fully traversed), we have considered all possible intersections, and we return the
ans
list which contains all the overlapping intervals we've found.
Data structures used in this implementation include lists for storing intervals and the result. No additional data structures are used since the solution is designed to work with the input lists themselves and builds the result in place, efficiently using space.
The time complexity of this approach is O(N + M), where N and M are the lengths of firstList
and secondList
. The space complexity is O(1) if we disregard the space required for the output, as we're only using a constant amount of additional space.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's consider two lists of sorted and disjoint intervals: firstList = [[1, 3], [5, 9]]
and secondList = [[2, 4], [6, 8]]
, and walk through the solution approach to find their intersection.
-
Initialize two pointers:
i = 0
andj = 0
. -
The
while
loop commences sincei < len(firstList)
andj < len(secondList)
.- At the start, we are looking at intervals
firstList[i] = [1, 3]
andsecondList[j] = [2, 4]
.
- At the start, we are looking at intervals
-
Extract the start and end points:
s1 = 1, e1 = 3, s2 = 2, e2 = 4
. -
Determine the overlap's start and end:
- The start is
max(s1, s2) = max(1, 2) = 2
. - The end is
min(e1, e2) = min(3, 4) = 3
. - Since
l <= r
,[2,3]
is a valid intersection and is appended toans
.
- The start is
-
Move pointers:
- Compare the ending points
e1
ande2
. e1
is smaller, so we incrementi
and nowi = 1
andj = 0
.
- Compare the ending points
-
Continue to the next iteration:
- Now examining
firstList[i] = [5, 9]
andsecondList[j] = [2, 4]
. - We find
s1 = 5, e1 = 9, s2 = 2, e2 = 4
, hence no overlap becausemax(5, 2) = 5
is greater thanmin(9, 4) = 4
. - Since
e2
is smaller, incrementj
and nowi = 1
andj = 1
.
- Now examining
-
Next iteration:
- We are now looking at
firstList[i] = [5, 9]
andsecondList[j] = [6, 8]
. - Extract
s1 = 5, e1 = 9, s2 = 6, e2 = 8
. - The start of the overlap is
max(5, 6) = 6
and the end ismin(9, 8) = 8
. - We have a valid intersection
[6, 8]
, append it toans
.
- We are now looking at
-
Adjust pointers:
e2
is smaller; therefore, incrementj
butj
has reached the end ofsecondList
.
-
The
while
loop ends sincej
has reached the end ofsecondList
.
After the loop, our ans
list contains the intersections: [[2, 3], [6, 8]]
. The algorithm exits and returns ans
as the final list of intersecting intervals between firstList
and secondList
.
Solution Implementation
1class Solution:
2 def intervalIntersection(self, firstList: List[List[int]], secondList: List[List[int]]) -> List[List[int]]:
3 # Initialize indexes for firstList and secondList
4 index_first = 0
5 index_second = 0
6
7 # This is where we will store the result intervals
8 intersections = []
9
10 # Iterate through both lists as long as neither is exhausted
11 while index_first < len(firstList) and index_second < len(secondList):
12 # Extract the start and end points of the current intervals for better readability
13 start_first, end_first = firstList[index_first]
14 start_second, end_second = secondList[index_second]
15
16 # Determine the start and end of the overlapping interval, if any
17 start_overlap = max(start_first, start_second)
18 end_overlap = min(end_first, end_second)
19
20 # If there's an overlap, the start of the overlap will be less than or equal to the end
21 if start_overlap <= end_overlap:
22 # Append the overlapping interval to the result list
23 intersections.append([start_overlap, end_overlap])
24
25 # Move to the next interval in either the first or second list,
26 # selecting the one that ends earlier, as it cannot overlap with any further intervals
27 if end_first < end_second:
28 index_first += 1
29 else:
30 index_second += 1
31
32 # Return the list of intersecting intervals
33 return intersections
34
1class Solution {
2 public int[][] intervalIntersection(int[][] firstList, int[][] secondList) {
3 List<int[]> intersections = new ArrayList<>();
4 int firstLen = firstList.length, secondLen = secondList.length;
5
6 // Use two-pointers technique to iterate through both lists
7 int i = 0, j = 0; // i for firstList, j for secondList
8 while (i < firstLen && j < secondLen) {
9 // Find the start and end of the intersection, if it exists
10 int startMax = Math.max(firstList[i][0], secondList[j][0]);
11 int endMin = Math.min(firstList[i][1], secondList[j][1]);
12
13 // Check if the intervals intersect
14 if (startMax <= endMin) {
15 // Store the intersection
16 intersections.add(new int[] {startMax, endMin});
17 }
18
19 // Move to the next interval in the list that finishes earlier
20 if (firstList[i][1] < secondList[j][1]) {
21 i++; // Increment the pointer for the firstList
22 } else {
23 j++; // Increment the pointer for the secondList
24 }
25 }
26
27 // Convert the list of intersections to an array before returning
28 return intersections.toArray(new int[intersections.size()][]);
29 }
30}
31
1#include <vector>
2using namespace std;
3
4class Solution {
5public:
6 vector<vector<int>> intervalIntersection(vector<vector<int>>& firstList, vector<vector<int>>& secondList) {
7 // Initialize the answer vector to store the intervals of intersection.
8 vector<vector<int>> intersections;
9
10 // Get the size of both input lists
11 int firstListSize = firstList.size();
12 int secondListSize = secondList.size();
13
14 // Initialize pointers for firstList and secondList
15 int i = 0, j = 0;
16
17 // Iterate through both lists as long as there are elements in both
18 while (i < firstListSize && j < secondListSize) {
19 // Find the maximum of the start points
20 int startMax = max(firstList[i][0], secondList[j][0]);
21
22 // Find the minimum of the end points
23 int endMin = min(firstList[i][1], secondList[j][1]);
24
25 // Check if intervals overlap: if the start is less or equal to the end
26 if (startMax <= endMin) {
27 // Add the intersected interval to the answer list
28 intersections.push_back({startMax, endMin});
29 }
30
31 // Move to the next interval in the list, based on end points comparison
32 if (firstList[i][1] < secondList[j][1])
33 i++; // Move forward in the first list
34 else
35 j++; // Move forward in the second list
36 }
37
38 // Return the list of intersected intervals
39 return intersections;
40 }
41};
42
1function intervalIntersection(firstList: number[][], secondList: number[][]): number[][] {
2 const firstLength = firstList.length; // Length of the first list
3 const secondLength = secondList.length; // Length of the second list
4 const intersections: number[][] = []; // Holds the intersections of intervals
5
6 // Initialize pointers for both lists
7 let firstIndex = 0;
8 let secondIndex = 0;
9
10 // Iterate through both lists until one is exhausted
11 while (firstIndex < firstLength && secondIndex < secondLength) {
12 // Calculate the start and end points of intersection
13 const start = Math.max(firstList[firstIndex][0], secondList[secondIndex][0]);
14 const end = Math.min(firstList[firstIndex][1], secondList[secondIndex][1]);
15
16 // If there's an overlap, add the interval to the result list
17 if (start <= end) {
18 intersections.push([start, end]);
19 }
20
21 // Move the pointer for the list with the smaller endpoint forward
22 if (firstList[firstIndex][1] < secondList[secondIndex][1]) {
23 firstIndex++;
24 } else {
25 secondIndex++;
26 }
27 }
28
29 // Return the list of intersecting intervals
30 return intersections;
31}
32
Time and Space Complexity
The time complexity of the given code is O(N + M)
, where N
is the length of firstList
and M
is the length of secondList
. This is because the code iterates through both lists at most once. The two pointers i
and j
advance through their respective lists without ever backtracking.
The space complexity of the code is O(K)
, where K
is the number of intersecting intervals between firstList
and secondList
. In the worst case, every interval in firstList
intersects with every interval in secondList
, leading to min(N, M)
intersections. The reason why it is not O(N + M)
is that we only store the intersections, not the individual intervals from the input lists.
Learn more about how to find time and space complexity quickly using problem constraints.
Which data structure is used in a depth first search?
Recommended Readings
Tech Interview Pattern Two Pointers Introduction If you prefer videos here's a super quick introduction to Two Pointers div class responsive iframe iframe src https www youtube com embed xZ4AfXHQ1VQ title YouTube video player frameborder 0 allow accelerometer autoplay clipboard write encrypted media gyroscope picture in picture allowfullscreen iframe div Two pointers is a common interview
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Want a Structured Path to Master System Design Too? Don’t Miss This!