data:image/s3,"s3://crabby-images/0c421/0c421794a0eaa7186e29eeb7877df9d2a40dabdd" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/828fd/828fdac2b1f578f14fd4b5a9b7732c0d0bc00909" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/24f03/24f03e9e36ba813336ab40e9f2bb9f0bf4f5d565" alt="在这里插入图片描述"
思路,倒序
类似背包选取的问题,但要求有选取间隔 由于数据量比较大,回溯的选取很容易超时。
第一种方法,倒序的更新dp,正向想的难点在于,对于新的位置,不知道前面限制要跳过多少,如果记录需要多一重循环超时。 倒序的想,就可以在每次选择的时候知道跳过多少位置,因为对当前要处理的元素i来说,可以知道如果取了该位置要跳过brainpower[i]个问题,可由后面位置更新当前位置,转移方程转自大佬灵茶山艾府 data:image/s3,"s3://crabby-images/e9909/e9909006e0ef69755c359ef9721ebc9323efae4c" alt="在这里插入图片描述" 代码
class Solution {
public:
long long mostPoints(vector<vector<int>>& q) {
int n = q.size();
long long ans = 0;
vector<long long> dp(1e6, 0);
for(int i = n-1; i >= 0; i--) {
dp[i] = max(dp[i+1], q[i][0] + dp[i+q[i][1]+1]);
}
return dp[0];
}
};
思路,正序
对于每个位置,更新选择和不选的next位的dp; 如果不选择当前位i,next位为i+1,更新dp[next]; 如果选择当前位i,next位为跳过限制后的i + questions[i][1] + 1,更新next;
遍历,对每个位置更新他的两种方式的next位,最后dp数组中最大值就是答案。
状态转移方程转自大佬灵茶山艾府 data:image/s3,"s3://crabby-images/98de1/98de19168ce94bbf761c7653c4cb9f0b673a234b" alt="在这里插入图片描述" 代码
class Solution {
public:
long long mostPoints(vector<vector<int>>& questions) {
int n = questions.size();
vector<long long> dp(1e6, 0);
for(int i = 0; i < n; i++) {
int next = i + 1;
dp[next] = max(dp[next], dp[i]);
next = i + questions[i][1] + 1;
dp[next] = max(dp[next], (long long)questions[i][0] + dp[i]);
}
return *max_element(dp.begin(), dp.end());
}
};
另外,对于 i=n-1和 next≥n 的情况,可以将其更新到 dp[n] 中,避免最后一次的遍历找最大值
class Solution {
public:
long long mostPoints(vector<vector<int>>& questions) {
int n = questions.size();
vector<long long> dp(n + 1, 0);
for(int i = 0; i < n; i++) {
int next = i + 1;
dp[next] = max(dp[next], dp[i]);
next = min(i + questions[i][1] + 1, n);
dp[next] = max(dp[next], (long long)questions[i][0] + dp[i]);
}
return dp[n];
}
};
|