Sponsored
Sponsored
The key to solving this problem is to first sort the intervals based on the starting time. Once sorted, we can iterate over the intervals and merge them if they overlap. Two intervals overlap if the start of the current interval is less than or equal to the end of the previous interval.
Time Complexity: O(n log n), due to sorting.
Space Complexity: O(n), required for the output array.
1#include <vector>
2#include <algorithm>
3using namespace std;
4
5vector<vector<int>> merge(vector<vector<int>>& intervals) {
6 if (intervals.empty()) return {};
7 sort(intervals.begin(), intervals.end());
8 vector<vector<int>> merged;
9 merged.push_back(intervals[0]);
10 for (const auto& interval : intervals) {
11 if (merged.back()[1] >= interval[0]) {
12 merged.back()[1] = max(merged.back()[1], interval[1]);
13 } else {
14 merged.push_back(interval);
15 }
16 }
17 return merged;
18}In C++, the sort function is utilized to sort intervals based on the starting time. A single pass through the intervals allows us to merge them where necessary.
This method involves sorting first and directly inserting into the result list, verifying overlap in consecutive intervals.