1716 Integer Intervals

来源:互联网 发布:浙江农家乐数据 编辑:程序博客网 时间:2024/05/19 15:44
Integer Intervals
Time Limit: 1000MS Memory Limit: 10000KTotal Submissions: 7404 Accepted: 2991

Description

An integer interval [a,b], a < b, is a set of all consecutive integers beginning with a and ending with b.
Write a program that: finds the minimal number of elements in a set containing at least two different integers from each interval.

Input

The first line of the input contains the number of intervals n, 1 <= n <= 10000. Each of the following n lines contains two integers a, b separated by a single space, 0 <= a < b <= 10000. They are the beginning and the end of an interval.

Output

Output the minimal number of elements in a set containing at least two different integers from each interval.

Sample Input

43 62 40 24 7

Sample Output

4

Source

CEOI 1997

 

 

贪心能过,不过我还是用了差分约束系统,也就是SPFA

1201的简化版

 

#include<stdio.h>
#include<string.h>
#include<queue>
using namespace std;
const int E=10005;
const int V=10005;
const int INF=1<<25-1;
struct EDGE
{
    int link,val,next;
}edge[E*3];
int head[V],dist[V],e,rmin,rmax;
bool vis[V];
void addedge(int a,int b,int c)
{
    edge[e].link=b;
    edge[e].val=c;
    edge[e].next=head[a];
    head[a]=e++;
}
int relax(int u,int v,int c)
{
    if(dist[v]<dist[u]+c)//不能是<=,会死循环
    {
        dist[v]=dist[u]+c;
        return 1;
    }
    return 0;
}
void SPFA(int src)
{
    memset(vis,false,sizeof(vis));
    for(int i=rmin;i<=rmax;i++) dist[i]=-INF;
    int top=1;
    dist[src]=0;
    vis[src]=true;
    queue<int> q;
    q.push(src);
    while(!q.empty())
    {
        int u,v;
        u=q.front();
        q.pop();
        vis[u]=false;
        for(int i=head[u];i!=-1;i=edge[i].next)
        {
            v=edge[i].link;
            if(relax(u,v,edge[i].val)==1&&!vis[v])
            {
                 q.push(v);
                 vis[v]=true;
            }
        }
    }
}
int main()
{
    int n;
    while(scanf("%d",&n)!=EOF)
    {
        e=0;
        memset(head,-1,sizeof(head));
        rmin=1<<25-1; rmax=-1;
        for(int i=1;i<=n;i++)
        {
            int a,b,c;
            scanf("%d%d",&a,&b);
            if(a<rmin)  rmin=a;
            if(b+1>rmax)  rmax=b+1;
            addedge(a,b+1,2);
        }
        for(int i=rmin;i<rmax;i++) addedge(i,i+1,0);
        for(int i=rmin;i<rmax;i++) addedge(i+1,i,-1);
        SPFA(rmin);
        printf("%d/n",dist[rmax]-dist[rmin]);
    }
    return 0;
}

原创粉丝点击