比赛的时候没有做出来。。。
首先这个题目很自然的一种状态表示方法就是 记录当前位置pos和最后一次跳跃距离len , 结果保存为dp[pos][len],但是这两个数的范围都是30000,明显存不下。到了这个地方也就没什么思路了。
其实这个题目其实用不到30000这么大的数组。可以考虑到,我们从0出发,跳跃距离最多也就改变x并且,1+2+3……+x<30000。也就是x最多也就与初始的d相差250。 所以我们重新定义一下状态。定义为 dp[pos][len-d+base] , 由于第二维可能为负,所以我们加一个基数(比如250)。这样就把数组压缩到了30000*500左右。
#include <algorithm>
#include <cstdio>
#include <cstdlib>
#include <cmath>
#include <cstring>
#include <iostream>
#define INF 0x7fffffff
using namespace std;
typedef long long LL;
const int N = 3e4 + 2;
const int off = 300;
const int M = 600;
int dp[N][605]; // dp[pos][len - d + off]
int a[N];
int main() {
int n, d;
scanf("%d%d", &n, &d);
for(int i = 0; i < n; i++) {
int x;
scanf("%d", &x);
a[x]++;
}
int ans = 0;
dp[d][off] = 1 + a[0] + a[d];
for(int i = d; i < N; i++) {
for(int j = 0; j < M; j++) {
if(!dp[i][j]) continue;
ans = max(ans, dp[i][j] - 1);
for(int k = -1; k <= 1; k++) {
int l = d + j - off + k;
if(l <= 0 || i + l >= N) continue ;
dp[i + l][j + k] = max(dp[i + l][j + k], dp[i][j] + a[i + l]);
}
}
}
printf("%d\n", ans);
}