data:image/s3,"s3://crabby-images/6122e/6122e07c1e0ba6da206968b5c44891b3831f2ea9" alt="题意"
分析
按位考虑 ai
考虑 dp[i][j] 表示为考虑到第 i 位总和为 j 的方案数
为满足要求
data:image/s3,"s3://crabby-images/1ce59/1ce5909b98426e317b50caf4237389bbdf51c352" alt="image-20220828165425208"
会发现对于第 i 位来说 1 的个数都是连续的,我们可以枚举第 i 位有 k 个 1
data:image/s3,"s3://crabby-images/a9b73/a9b73bce7bfa94105c805d8bc6eacef339403aa6" alt="image-20220828165700675"
那么转移方程为
从高位到低位
考虑
1 2 3 4 5 6 7 8 9
| f[cnt+1][0] = 1; for(int i = cnt+1;i > 0;i--){ for(int j = 0;j <= n;j++){ for(int o = 0;o <= k;o++){ if(j + o*(1LL<<(i-1)) > n) break; f[i-1][j+((1LL<<(i-1)))*o] = (f[i-1][j+((1LL<<(i-1)))*o] + f[i][j])%mod; } } }
|
时间复杂度O(n2logn)
Code
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25
| int n,k; int f[32][10005]; signed main() { cin >> k >> n; int cnt = 0; int t = n; while(t){ cnt++; t >>= 1; } cnt--; f[cnt+1][0] = 1; for(int i = cnt+1;i > 0;i--){ for(int j = 0;j <= n;j++){ for(int o = 0;o <= k;o++){ if(j + o*(1LL<<(i-1)) > n) break; f[i-1][j+((1LL<<(i-1)))*o] = (f[i-1][j+((1LL<<(i-1)))*o] + f[i][j])%mod; } } }
cout << f[0][n] << endl; return 0; }
|