洛谷题单指南-二叉堆与树状数组-P4053 [JSOI2007] 建筑抢修
原题链接:https://www.luogu.com.cn/problem/P4053
题意解读:n个建筑有修理时间t1,报废时间t2,要求在合理顺序尽可能多的抢修建筑。
解题思路:
贪心思路:
1、优先抢修报废时间最短的建筑,可以将建筑按t2从小到大排序,再遍历每一个建筑
2、先假设当前建筑可以抢修,累加经历的总时长past,并将当前建筑的t1加入大根堆
3、判断如果当前建筑够时间抢修,就抢修,记录数量+1
4、如果当前建筑不够时间抢修,则从大根堆弹出耗时最大的建筑,取消抢修该建筑,这样要么当前建筑就可以抢修了,要么当前建筑被取消抢修
100分代码:
#include <bits/stdc++.h>
using namespace std;
typedef long long LL;
const int N = 150005;
struct Node
{
LL t1, t2;
bool operator < (const Node &node) const &
{
return t2 < node.t2;
}
} a[N];
priority_queue<LL> q;
int n, ans;
int main()
{
cin >> n;
for(int i = 1; i <= n; i++)
cin >> a[i].t1 >> a[i].t2;
sort(a + 1, a + n + 1); //按t2从小到大排序
LL past = 0; //已经过了多少时间
for(int i = 1; i <= n; i++) //优先抢修最近要报废的
{
q.push(a[i].t1);
past += a[i].t1;
if(past <= a[i].t2) //如果来得及抢修,就抢修
{
ans++;
}
else //如果来不及抢修
{
past -= q.top(); //把耗时最多时间的建筑进行报废
q.pop();
}
}
cout << ans;
return 0;
}