给定?n?个区间?[li,ri],要求合并所有有交集的区间。
注意如果在端点处相交,也算有交集。
输出合并完成后的区间个数。
例如:[1,3]?和?[2,6]?可以合并为一个区间?[1,6]。
第一行包含整数?n。
接下来?n行,每行包含两个整数?l和?r
共一行,包含一个整数,表示合并区间完成后的区间个数。
5
1 2
2 4
5 6
7 8
7 9
3
#include <bits/stdc++.h>
using namespace std;
typedef pair<int,int> PII;
vector<PII> nums,res;
int main() {
int n,l,r;
cin>>n;
for(int i=0;i<n;i++) {
cin>>l>>r;
nums.push_back({l,r});
}
int ed=-2e9,st=-2e9;
sort(nums.begin(),nums.end());//先按照左区间排序再按右区间排序
for(auto num:nums) {
if(ed<num.first) {//没有交集,上个区间的最大小于这个区间的最小值
if(ed!=-2e9) res.push_back({st,ed});//这个区间维护结束,后续不可能有交集的区间,直接加入res
st=num.first,ed=num.second;//维护新区间
}
else if(ed<num.second)//上个区间的最大值小于这个区间的最大值更新ed
ed=num.second;//维护区间
}
res.push_back({st,ed});//加上最后的区间
cout<<res.size()<<endl;
return 0;
}