C解法
更新中
class="hljs-button signin active" data-title="登录复制" data-report-click="{"spm":"1001.2101.3001.4334"}">
JS解法
选择当前卡牌: 如果选择当前卡牌,就需要加上当前卡牌的得分,然后递归计算从当前卡牌的前一张开始的最大得分。
跳过当前卡牌: 如果跳过当前卡牌,必须跳过至少 2 张卡牌,即从 currentRound-3 开始递归计算。
为了避免重复计算,我们可以使用 记忆化递归(Memoization) 来存储已经计算过的子问题的结果,从而提升效率。
思路概述:
使用递归函数 maxScore(points, currentRound) 计算从 currentRound 开始到最后一张卡牌的最大得分。
如果当前卡牌已被计算过,则直接从 memo 中获取结果。
对于每张卡牌,有两种选择:选择当前卡牌或者跳过当前卡牌。
将每次计算的结果存入 memo,以避免重复计算,提高效率
'use strict';
const memo = new Map();
const maxScore = (points, currentRound) => {
if (currentRound < 0) {
return 0;
}
if (memo.has(currentRound)) {
return memo.get(currentRound);
}
const choose = points[currentRound] + maxScore(points, currentRound - 1);
const skip = currentRound < 3 ? 0 : maxScore(points, currentRound - 3);
const result = Math.max(choose, skip);
memo.set(currentRound, result);
return result;
};
const main = () => {
process.stdin.resume();
process.stdin.setEncoding('utf-8');
let input = '';
process.stdin.on('data', (chunk) => {
input += chunk;
});
process.stdin.on('end', () => {
const points = input.trim().split(',').map(Number);
console.log(maxScore(points, points.length - 1));
});
};
main();
class="hljs-button signin active" data-title="登录复制" data-report-click="{"spm":"1001.2101.3001.4334"}">
- 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
- 26
- 27
- 28
- 29
- 30
- 31
- 32
- 33
- 34
- 35
- 36
- 37
- 38
- 39
- 40
- 41
- 42
- 43
- 44
- 45
- 46
- 47
- 48
- 49
- 50
- 51
- 52
- 53
- 54
- 55
- 56
- 57
- 58
- 59
- 60
注意:
如果发现代码有用例覆盖不到的情况,欢迎反馈!会在第一时间修正,更新。
解题不易,如对您有帮助,欢迎点赞/收藏
评论记录:
回复评论: