【BZOJ 1572】 1572: [Usaco2009 Open]工作安排Job(贪心+优先队列)

时间:2021-11-05 07:00:42

1572: [Usaco2009 Open]工作安排Job

Description

Farmer John 有太多的工作要做啊!!!!!!!!为了让农场高效运转,他必须靠他的工作赚钱,每项工作花一个单位时间。 他的工作日从0时刻开始,有1000000000个单位时间(!)。在任一时刻,他都可以选择编号1~N的N(1 <= N <= 100000)项工作中的任意一项工作来完成。 因为他在每个单位时间里只能做一个工作,而每项工作又有一个截止日期,所以他很难有时间完成所有N个工作,虽然还是有可能。 对于第i个工作,有一个截止时间D_i(1 <= D_i <= 1000000000),如果他可以完成这个工作,那么他可以获利P_i( 1<=P_i<=1000000000 ). 在给定的工作利润和截止时间下,FJ能够获得的利润最大为多少呢?答案可能会超过32位整型。

Input

第1行:一个整数N. 第2~N+1行:第i+1行有两个用空格分开的整数:D_i和P_i.

Output

输出一行,里面有一个整数,表示最大获利值。

Sample Input

3
2 10
1 5
1 7

Sample Output

17

HINT

第1个单位时间完成第3个工作(1,7),然后在第2个单位时间完成第1个工作(2,10)以达到最大利润

Source

【分析】

贪心

先按截止日期排个序。

对于每份工作都先“来者不拒”,但如果接受工作的份数大于天数,就是说无法在截止日期前把每份接受的工作都完成了,那么这个时候就要舍弃一些。贪心的思想嘛~就舍弃那些工资低的。用优先队列来维护就好了。

转自:http://blog.csdn.net/u010336344/article/details/52934611

 #include<cstdio>
#include<cstdlib>
#include<cstring>
#include<iostream>
#include<algorithm>
#include<queue>
using namespace std;
#define Maxn 100010
#define LL long long struct node
{
int d,w;
friend bool operator < (node x,node y)
{
return x.w>y.w;
}
}t[Maxn]; priority_queue<node > q; bool cmp(node x,node y) {return x.d<y.d;} int main()
{
int n;
scanf("%d",&n);
for(int i=;i<=n;i++) scanf("%d%d",&t[i].d,&t[i].w);
sort(t+,t++n,cmp);
LL ans=;int cnt=;
for(int i=;i<=n;i++)
{
if(t[i].d<=cnt)
{
if(q.top().w<t[i].w)
{
ans+=t[i].w-q.top().w;
q.pop();
q.push(t[i]);
}
}
else
{
q.push(t[i]);
ans+=t[i].w;
cnt++;
}
}
printf("%lld\n",ans);
return ;
}

2017-01-15 11:46:38