当前位置: 代码迷 >> 综合 >> 51Nod 1133 不重叠的线段(贪心)
  详细解决方案

51Nod 1133 不重叠的线段(贪心)

热度:44   发布时间:2023-11-08 15:25:49.0

X轴上有N条线段,每条线段有1个起点S和终点E。最多能够选出多少条互不重叠的线段。(注:起点或终点重叠,不算重叠)。
例如:[1 5][2 3][3 6],可以选[2 3][3 6],这2条线段互不重叠。
Input
第1行:1个数N,线段的数量(2 <= N <= 10000)
第2 - N + 1行:每行2个数,线段的起点和终点(-10^9 <= S,E <= 10^9)
Output
输出最多可以选择的线段数量。
Input示例
3
1 5
2 3
3 6
Output示例
2

水题,贪心,这种时间分配的题目只要按照结束的先后排序,然后扫一遍就可以了。

#include<iostream>
#include<algorithm>
using namespace std;
typedef long long ll;
int n;
typedef struct Node{
    int s,e;
}node;
node a[10010];
bool cmp(node x,node y){
    if(x.e==y.e) return x.s>y.s;return x.e<y.e;
}int main(){
    std::ios::sync_with_stdio(false);cin>>n;for(int i=0;i<n;i++){
    cin>>a[i].s>>a[i].e;}sort(a,a+n,cmp);int ans=1;int sta=a[0].s;int ed=a[0].e;for(int i=1;i<n;i++){
    if(a[i].s>=ed ){
    ans++;ed=a[i].e;}}cout<<ans<<endl;return 0;
}