题目链接:http://poj.org/problem?id=3045
题目大意:给你n头牛叠罗汉,每头都有自己的重量w和力量s,承受的风险数就是该牛上面牛的总重量减去它的力量,题目要求设计一个方案使得所有牛里面风险最大的要最小。
分析:最小化最大值问题,不是二分就是贪心
考虑最优解的决策方向,相邻两头牛
代码如下:
#include <cstdio>
#include <iostream>
#include <cstring>
#include <algorithm>
using namespace std;
struct cow{
int w, s;
};
cow a[50000+5];
bool cmp(cow i, cow j){
return i.w + i.s < j.w + j.s;
}
int main(){
int n;
while(scanf("%d", &n) != EOF){
for(int i=0; i<n; i++)
scanf("%d %d", &a[i].w, &a[i].s);
sort(a, a+n, cmp);
int maxrisk = -a[0].s;
int sum = 0;
for(int i=1; i<n; i++){
sum += a[i-1].w;
if(sum - a[i].s > maxrisk)
maxrisk = sum - a[i].s;
}
printf("%d\n", maxrisk);
}
return 0;
}