题意:
有一只青蛙,在一条河(数轴)上跳,他要从0的位置跳到m;
现在这条河上已经有n个石头了,青蛙每次最多可以跳l;
现在你可以往河里任意放石头,使青蛙跳的次数最多;
每一组样例给出n,m,l.然后接下去给出已有n个石头的位置;
问最多跳几次:
思路:
贪心,dis表示前一跳的距离,我们要算接下去那一跳,和之前那一跳的和,如果小于等于l,则说明这两跳可以合并成一跳;
否则的话跳数加1;
如果距离>l+1;则我们可以放石头,让它必须跳两次;
如现在位置0,下一个石头要跳到15,青蛙一次跳10,那么我们在1放一个,他就必须两次才能到11,然后再跳4到15.这样上一跳的距离就成了余数,余下来的4;
AC代码:
#include<cstdio> #include<cstring> #include<algorithm> using namespace std; const int N = 200005; int p[N]; int main() { int t; int cas = 1; scanf("%d",&t); while(t--) { int n, m, l, res = 0;; scanf("%d%d%d",&n,&m,&l); for(int i = 1; i <= n; i++) { scanf("%d",&p[i]); } int dis = l; p[0] = 0; p[++n] = m; sort(p, p + n); printf("Case #%d: ",cas++); for(int i = 0; i < n; i++) { int mod = (p[i + 1] - p[i]) % (l + 1); int c = (p[i + 1] - p[i]) / (l + 1); if(dis + mod > l) { dis = mod; res += (1 + 2 * c); } else { dis += mod; res += 2 * c; } } printf("%d\n",res); } return 0; }
时间: 2024-10-11 23:05:21