NOIP2011 聪明的质检员 二分
题目描述 Description
小 T 是一名质量监督员,最近负责检验一批矿产的质量。这批矿产共有n 个矿石,从1到n逐一编号,每个矿石都有自己的重量wi 以及价值vi。检验矿产的流程是:见图 若这批矿产的检验结果与所给标准值S相差太多,就需要再去检验另一批矿产。小T不想费时间去检验另一批矿产,所以他想通过调整参数W的值,让检验结果尽可能的靠近标准值S,即使得S-Y 的绝对值最小。请你帮忙求出这个最小值。
输入描述 Input Description
第一行包含三个整数 n,m,S,分别表示矿石的个数、区间的个数和标准值。 接下来的 n行,每行2 个整数,中间用空格隔开,第i+1 行表示i 号矿石的重量wi 和价值vi 。 接下来的 m 行,表示区间,每行2个整数,中间用空格隔开,第i+n+1 行表示区间[Li,Ri]的两个端点Li 和Ri。注意:不同区间可能重合或相互重叠。
输出描述 Output Description
输出只有一行,包含一个整数,表示所求的最小值。
样例输入 Sample Input
5 3 15
1 5
2 5
3 5
4 5
5 5
1 5
2 4
3 3样例输出 Sample Output
10
数据范围及提示 Data Size & Hint
当 W 选4的时候,三个区间上检验值分别为20、5、0,这批矿产的检验结果为25,此时与标准值S 相差最小为10。
数据范围
对于 10%的数据,有1≤n,m≤10; 对于 30%的数据,有1≤n,m≤500;
对于 50%的数据,有1≤n,m≤5,000; 对于 70%的数据,有1≤n,m≤10,000;
对于100%的数据,有1≤n,m≤200,000,0 < wi, vi≤10^6,0 < S≤10^12,1≤Li≤Ri≤n。
一个二分……一开始没有想到用一个变量记录当前最优的Y值,无脑二分只能拿五十分……
所以,用now来记录当前最优的Y值,嗯就这样
#include <iostream>
#include <cstdio>
#include <algorithm>
#include <cstring>
#include <climits>
using namespace std;
typedef long long LL;
struct Stone
{
int w, v;
}s[200010];
struct QJ
{
int l, r;
}q[200010];
int n, m;
LL S, Y, now;
LL sum[200010], cnt[200010];
bool check(int mid)
{
memset(sum, 0, sizeof(sum));
memset(cnt, 0, sizeof(cnt));
for(int i = 1; i <= n; i++)
{
sum[i] = sum[i - 1];
cnt[i] = cnt[i - 1];
if(s[i].w >= mid) sum[i] += s[i].v, cnt[i]++;
}
Y = 0;
for(int i = 1; i <= m; i++)
{
int l = q[i].l, r = q[i].r;
Y += (sum[r] - sum[l - 1]) * (cnt[r] - cnt[l - 1]);
}
if(abs(S - Y) < abs(S - now)) now = Y;
if(S > Y) return true;
else return false;
}
LL read()
{
char c = getchar();
LL num = 0;
bool flag = 0;
while(c < '0' || c > '9')
{
if(c == '-') flag = 1;
c = getchar();
}
while('0' <= c && c <= '9')
{
num = num * 10 + (c - '0');
c = getchar();
}
if(flag) return -num;
return num;
}
int main()
{
int max_w = 0;
n = read();
m = read();
S = read();
for(int i = 1; i <= n; i++)
{
s[i].w = read();
s[i].v = read();
max_w = max(max_w, s[i].w);
}
for(int i = 1; i <= m; i++)
{
q[i].l = read();
q[i].r = read();
}
int l = 0, r = max_w, mid;
while(l <= r)
{
mid = (l + r) / 2;
if(check(mid)) r = mid - 1;
else l = mid + 1;
}
printf("%lld", abs(S - now));
return 0;
}