Intervue featured on Shark TankIntervue featured on Shark Tank - mobile banner

Given a collection of intervals, merge all overlapping intervals.

Constraints:

  • 1 <= intervals.length <= 10^4
  • intervals[i].length == 2
  • 0 <= start_i <= end_i <= 10^4

Examples:

Input: [[1,3],[2,6],[8,10],[15,18]]

Output: [[1,6],[8,10],[15,18]]

Explanation: The intervals [1,3] and [2,6] overlap, so they are merged into [1,6]. The intervals [8,10] and [15,18] do not overlap with any other intervals, so they remain the same.

Solutions

Sorting

Time: O(n log n)Space: O(n)

The solution first checks if the input array is empty. If it is, it returns an empty array. Then, it sorts the intervals based on their start value. It initializes the result array with the first interval. Then, it iterates over the rest of the intervals. If the current interval overlaps with the last interval in the result array, it merges them by updating the end value of the last interval in the result array. If the current interval does not overlap with the last interval in the result array, it adds the current interval to the result array.


class Solution {
  
  public int[][] merge(int[][] intervals) {
    if (intervals.length == 0) return new int[][]{
    }
    ;
    Arrays.sort(intervals, (a, b) -> a[0] - b[0]);
    List<int[]> result = new ArrayList<>();
    result.add(intervals[0]);
    for (int i = 1;
    i < intervals.length;
    i++) {
      if (intervals[i][0] <= result.get(result.size() - 1)[1]) {
        result.get(result.size() - 1)[1] = Math.max(result.get(result.size() - 1)[1], intervals[i][1]);
      }
      else {
        result.add(intervals[i]);
      }
    }
    return result.toArray(new int[result.size()][]);
  }
}

Difficulty: Medium

Category: Array, Sorting

Frequency: High

Company tags:

GoogleAmazonFacebook