You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

31 lines
1.1 KiB

2 years ago
#include <bits/stdc++.h>
using namespace std;
const int N = 1e5 + 10;
int n;
int f[N];//DP数组抢前i个店铺可以获取到的最大价值是多少
int a[N];//抢劫第i个店铺可以获取到的利益w[i]
//线性DP解法
int main() {
int T;
scanf("%d", &T);
while (T--) {
scanf("%d", &n);
memset(f, 0, sizeof f);
for (int i = 1; i <= n; i++) scanf("%d", &a[i]);
//base case
f[0] = 0; //还没开始抢那么利益必须是0
f[1] = a[1]; //抢了第一个只能是利益为w[1]
//从第二个开始,有递推关系存在,以抢与不抢第i个为理由进行分类
for (int i = 2; i <= n; i++)
//f[i-1]表示不抢第i个那么利益就是f[i-1]
//如果抢了第i个那么获取到w[i]的利益同时前面的只能依赖于f[i-2]
//max表示决策到底抢两个中的哪个合适呢
f[i] = max(f[i - 1], f[i - 2] + a[i]);
//输出结果
printf("%d\n", f[n]);
}
return 0;
}