正题
题目链接:http://poj.org/problem?id=1456
题目大意
有n个货物,有不同的过期时间,过期了就卖不掉了,每个物品卖掉有不同的价值,每天只能卖一个货物,求最大价值。
解题思路
我们可以先排序一下价值
我们用并查集表示每一天,然后我们需要解决的问题是需要快速的找到这一天前最近的没有被占用的一天。
我们可以每次优先最晚卖,一天一旦被占用掉就连向他的上一个,然后如果被占用了那么他的父亲就会指向最晚但在此之前的空闲时间。
code
#include<cstdio>
#include<algorithm>
#include<cstring>
#define N 10010
using namespace std;
struct node{int p,d;
}a[N];
int father[N],n,ans;
int find(int x)
{if(father[x]!=x) return father[x]=find(father[x]);return x;
}
bool cmp(node x,node y)
{return x.p>y.p;}
int main()
{while(~scanf("%d",&n)){for(int i=1;i<=n;i++)scanf("%d%d",&a[i].p,&a[i].d);for(int i=1;i<=10000;i++)father[i]=i;//初始化并查集sort(a+1,a+1+n,cmp);ans=0;for(int i=1;i<=n;i++){if((a[i].d=find(a[i].d))>0){father[a[i].d]=a[i].d-1;//连接ans+=a[i].p;//统计答案}}printf("%d\n",ans);}
}