一.题目链接:
CodeForces-343C
二.题目大意:
有 n 个磁头,m 个需读取的位置.
给出 n 个磁头的初始位置,m 个需读取的位置.
每秒磁头可以向左或向右移动一个单位.
求最少需要多长时间 m 个位置都被读取过.
三.分析:
很容易看出要二分答案,不过 check() 不好写.
考虑一件事情,对于一个磁头来说,它需读取的位置区域在上一个磁头(左边界) 与 下一个磁头(右边界)之间.
在这里让每个读写头 访问 其左侧未访问的读取位置.
那么读取时就有两种方式.
第一种是向往左走到读取位置,再向右走到最远.
第二种是在保证之后向左能够到达读取位置的情况下,向右走到临界点,再向左走到读取位置.
详见代码.
四.代码实现:
#include <set>
#include <map>
#include <ctime>
#include <queue>
#include <cmath>
#include <stack>
#include <vector>
#include <cstdio>
#include <sstream>
#include <cstring>
#include <cstdlib>
#include <iostream>
#include <algorithm>
#define eps 1e-6
#define pi acos(-1.0)
#define ll long long int
using namespace std;
const int M = (int)1e5;
const ll mod = (ll)1e9 + 7;
const ll inf = 0x3f3f3f3f3f;
int n, m;
ll h[M + 5];
ll p[M + 5];
bool check(ll mid)
{
int pos = 0;
for(int i = 0; i < n; ++i)
{
ll x = mid;///增量
if(h[i] >= p[pos])
{
if(mid >= h[i] - p[pos])
x = max(0ll, max(mid - 2 * (h[i] - p[pos]), (mid - h[i] + p[pos]) / 2));
else
return 0;
}
pos = upper_bound(p, p + m, x + h[i]) - p;
if(pos == m)
return 1;
}
return 0;
}
/**
3 3
1 2 3
2 3 4
1
**/
int main()
{
scanf("%d %d", &n, &m);
for(int i = 0; i < n; ++i)
scanf("%I64d", &h[i]);
for(int i = 0; i < m; ++i)
scanf("%I64d", &p[i]);
ll l = 0;
ll r = inf;
while(l < r)
{
ll mid = (l + r) >> 1;
if(check(mid))
r = mid;
else
l = mid + 1;
}
printf("%I64d\n", r);
return 0;
}