Description
小刚在玩JSOI提供的一个称之为“建筑抢修”的电脑游戏:经过了一场激烈的战斗,T部落消灭了所有z部落的
入侵者。但是T部落的基地里已经有N个建筑设施受到了严重的损伤,如果不尽快修复的话,这些建筑设施将会完全
毁坏。现在的情况是:T部落基地里只有一个修理工人,虽然他能瞬间到达任何一个建筑,但是修复每个建筑都需
要一定的时间。同时,修理工人修理完一个建筑才能修理下一个建筑,不能同时修理多个建筑。如果某个建筑在一
段时间之内没有完全修理完毕,这个建筑就报废了。你的任务是帮小刚合理的制订一个修理顺序,以抢修尽可能多
的建筑。
Input
第一行是一个整数N接下来N行每行两个整数T1,T2描述一个建筑:修理这个建筑需要T1秒,如果在T2秒之内还
没有修理完成,这个建筑就报废了。
Output
输出一个整数S,表示最多可以抢修S个建筑.N < 150,000; T1 < T2 < maxlongint
Sample Input
4
100 200
200 1300
1000 1250
2000 3200
100 200
200 1300
1000 1250
2000 3200
Sample Output
3
solution:
先按结束时间排序,若当前可以在结束前修完,则加入该建筑,否则若当前花费时间比队列里最大的花费时间小,
那么我们可以取出队首,把当前建筑放入,最后队列里的元素个数即为答案。
#include<cstdio>
#include<queue>
#include<algorithm>
using namespace std;
typedef long long ll;
typedef pair<ll, ll>pll;
pll q[155000];
bool cmp(pll a, pll b)
{
return a.second < b.second;
}
int main()
{
int n;
while (~scanf("%d", &n))
{
for (int i = 0; i < n; i++)
scanf("%I64d%I64d", &q[i].first, &q[i].second);
sort(q, q + n,cmp);
priority_queue<pll>que;
long long now = 0;
for (int i = 0; i < n;i++)
if (now + q[i].first <= q[i].second)
{
now += q[i].first; que.push(q[i]);
}
else if (!que.empty() && que.top().first >= q[i].first)
{
now = now + q[i].first - que.top().first;
que.pop();
que.push(q[i]);
}
printf("%d\n", que.size());
}
}