LeetCode 56. Merge Intervals(合并重叠区间)
程序员文章站
2022-06-03 14:38:32
...
题目描述:
Given a collection of intervals, merge all overlapping intervals.
For example, given [1,3],[2,6],[8,10],[15,18]
, return [1,6],[8,10],[15,18]
.
分析:
题意:给出一些整型区间集合,返回合并重叠区间之后的结果。
思路:这是一道经典的贪心算法作业调度问题的变种,关键是把所有区间([start, end])根据end进行从小到大排序。之后进行如下操作:
① 对于第i个区间(i属于1→n - 1)分别跟第j个区间(j属于i - 1→0)逆序进行比较。Ⅰ. 如果i区间的start小于等于j区间的end,说明存在重叠现象,我们更新i区间的start为i、j两区间的start较小值,同时把j区间的start、end均置为-1([-1, -1]表示该区间已经被合并,不复存在);Ⅱ. 如果i区间的start大于j区间的end,说明没有重叠,跳出当前比较循环。
② 比较所有i区间(i属于1→n - 1)之后,我们遍历一遍0→n - 1,把所有不是[-1, -1]的区间加入答案中,并返回。
代码:
#include<bits/stdc++.h>
using namespace std;
struct Interval{
int start;
int end;
Interval(): start(0), end(0){}
Interval(int s, int e): start(s), end(e){}
};
// sort + greedy
class Solution {
private:
static int cmp(const Interval a, const Interval b){
if(a.end != b.end){
return a.end < b.end;
}
return a.start < b.start;
}
public:
vector<Interval> merge(vector<Interval>& intervals) {
vector<Interval> ans;
int n = intervals.size();
// Exceptional Case:
if(n == 0){
return ans;
}
// sort
sort(intervals.begin(), intervals.end(), cmp);
for(int i = 1; i <= n - 1; i++){
int j = i - 1;
while(j >= 0){
if(intervals[j].start == -1 && intervals[j].end == -1){
j--;
continue;
}
if(intervals[i].start <= intervals[j].end){
// modify
intervals[i].start = min(intervals[j].start, intervals[i].start);
intervals[j].start = intervals[j].end = -1;
j--;
}
else{
break;
}
}
}
// get answer
for(Interval p: intervals){
if(p.start == -1 && p.end == -1){
continue;
}
ans.push_back(p);
}
return ans;
}
};