UVa 1422 - Processor

链接

传送门

题意

处理器要处理\(n\)个任务,每个任务有开始时间\(r_i\),截止时间\(d_i\),工作量\(w_i\)三个参数,任务必须在截止时间之前完成,输出处理器完成所有任务的最大单位时间工作量的最小值。

思路

最大值的最小值问题,二分出答案,然后验证是否可行。验证时优先处理结束时间早的任务。

代码

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
#include <cstdio>
#include <cstring>
#include <algorithm>
#include <vector>
#include <queue>
using namespace std;

const int maxn = 10010;
int n, t;
struct prog {
int l, r, w;
bool operator < (const prog& rhs) const {
return r > rhs.r;
}
} pr[maxn];

bool cmp(const prog& a, const prog& b) {
return a.l < b.l;
}

bool check(int x) {
int p = 0;
priority_queue<prog> q;
for (int i = 1; i < 20010; ++i) {
while (p < n && pr[p].l < i) {
q.push(pr[p]);
++p;
}
int sum = x;
while (sum > 0 && !q.empty()) {
if (q.top().r < i) {
return false;
}
prog k = q.top();
q.pop();
k.w -= sum;
if (k.w > 0) {
q.push(k);
}
sum = -k.w;
}
if (p == n && q.empty()) {
break;
}
}
return true;
}

int main() {
scanf("%d", &t);
while (t--) {
scanf("%d", &n);
for (int i = 0; i < n; ++i) {
scanf("%d%d%d", &pr[i].l, &pr[i].r, &pr[i].w);
}
sort(pr, pr + n, cmp);
int L = 1, R = n * 1010, ans = R;
while (L <= R) {
int m = (L + R) >> 1;
if (check(m)) {
ans = min(ans, m);
R = m - 1;
} else {
L = m + 1;
}
}
printf("%d\n", ans);
}
return 0;
}