Problem Statement
Pattern: Related: 435. Non-Overlapping Intervals, 252 Meeting Rooms 253 Meeting Rooms II
Solution
public int[][] merge (int[][] intervals){
// Sort by interval start
Arrays.sort(intervals, Comparator.comparingInt(a -> a[0]));
ArrayList<int[]> res = new ArrayList<>();
int[] currInterval = intervals[0];
for(int[] newInterval: intervals) {
if(newInterval[0] <= currInterval[1])
// extend the end of the currInterval
currInterval[1] = Math.max(currInterval[1], newInterval[1]);
else {
res.add(currInterval);
// set newInterval as the currInterval
currInterval = newInterval;
}
}
res.add(currInterval); // add the final currInterval
return res.toArray(new int[0][]);
}
Notes
- iterate through all intervals
- keep the
currInterval
to compare with thenewInterval
- if they overlap, extend the
currInterval
(update the end ofcurrInterval
tomax(currInterval[1], newInterval[]))
- once
currInterval
stops overlapping withnewInterval
, we add the now (extended )currentInterval
tores
arraylist
- keep the
- finally the last
newInterval
which is either extended in theif
condition to thecurrInterval
or is unique so gets set tocurrInterval
in the else block. either ways the finalnewInterval
ends up incurrInterval
so we addcurrInterval
to result