首页 > 代码库 > 51nod 1133 不重叠的线段(贪心)

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

题目意思:

http://www.51nod.com/onlineJudge/questionCode.html#!problemId=1133

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

题目分析:简单的贪心

AC代码:
<span style="font-size:18px;">/**
 *贪心,按照线段左端点升序排序,
 *左端点相等,右端点升序排序
 */
#include<iostream>
#include<algorithm>
#include<cmath>
using namespace std;
const int MAX=10005;
struct Node{
    int b,e;
};
Node a[MAX];
int cmp(Node p1,Node p2){
    if(p1.b<p2.b) return 1;
    else if(p1.b==p2.b&&p1.e<p2.e) return 1;
    return 0;
}
int main()
{
    int n;
    while(cin>>n){
        for(int i=0;i<n;i++){
            cin>>a[i].b>>a[i].e;
        }
        sort(a,a+n,cmp);
        int res=1;
        Node s=a[0];
        for(int i=1;i<n;i++){
            if(a[i].e<=s.e){//线段i在线段i-1内
                s=a[i];
            }
            else if(a[i].b>=s.e){
                res++;
                s=a[i];//选择最靠左的线段
            }
        }
        cout<<res<<endl;
    }
    return 0;
}</span>


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