C解法
更新中
class="hljs-button signin active" data-title="登录复制" data-report-click="{"spm":"1001.2101.3001.4334"}">
JS解法
找到一个唯一的4位数字组合,满足所有提示hints。
每条提示由一个猜测guess和结果result组成:
result的格式为xAyB,表示:
xA:有x个数字的位置和数值都正确。
yB:有y个数字的数值正确但位置不正确。
优化解法:
使用位操作和递归进行优化:
位操作用于记录每个位置可能的数字,减少枚举范围。
深度优先搜索(DFS)用于生成可能的密码组合并验证其有效性。
主要步骤:
初始化可能性数组:
每个位置的可能数字初始为(1 << 10) - 1(即0-9全部可能)。
根据提示逐步更新可能性数组,排除不符合的数字。
深度优先搜索生成候选密码:
按位置递归生成所有可能的4位数字组合。
对每个组合,验证是否满足所有提示。
验证密码有效性:
对每条提示,计算猜测和密码的xAyB值,并与提示结果对比。
关键逻辑:
位操作:
使用poss数组记录每个位置可能的数字集合。
通过按位与和按位取反,动态更新可能的数字集合。
DFS递归:
遍历可能的数字集合,逐个尝试生成密码,并进行验证。
const rl = require('readline').createInterface({ input: process.stdin, output: process.stdout });
const io = [];
rl.on('line', ln => io.push(ln)).on('close', main);
function main() {
const [n, ...data] = io;
console.log(solve(data.map(x => x.split(' '))));
}
function solve(hints) {
let poss = Array(4).fill((1 << 10) - 1);
for (let [g, r] of hints) {
let [a, b] = r.split('A');
b = b[0];
if (a == '0') {
for (let i = 0; i < 4; i++) {
if (b == '0') {
poss[i] &= ~(1 << +g[i]);
} else {
poss[i] &= ~(1 << +g[i]) | (1 << 10);
}
}
}
}
let res = [];
dfs(0, [], poss, hints, res);
return res.length === 1 ? res[0].join('') : 'NA';
}
function dfs(idx, curr, poss, hints, res) {
if (idx === 4) {
if (isValid(curr, hints)) res.push([...curr]);
return;
}
for (let i = 0; i < 10; i++) {
if (poss[idx] & (1 << i)) {
curr.push(i);
dfs(idx + 1, curr, poss, hints, res);
curr.pop();
}
}
}
function isValid(guess, hints) {
for (let [g, r] of hints) {
let [a, b] = calcAB(guess, g.split('').map(Number));
if (a != r[0] || b != r[2]) return false;
}
return true;
}
function calcAB(ans, guess) {
let a = 0, b = 0;
let m1 = Array(10).fill(0), m2 = Array(10).fill(0);
for (let i = 0; i < 4; i++) {
if (ans[i] === guess[i]) {
a++;
} else {
m1[ans[i]]++;
m2[guess[i]]++;
}
}
for (let i = 0; i < 10; i++) b += Math.min(m1[i], m2[i]);
return [a, b];
}
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
- 61
- 62
- 63
- 64
- 65
- 66
- 67
- 68
- 69
- 70
- 71
- 72
- 73
- 74
- 75
- 76
- 77
- 78
- 79
- 80
- 81
- 82
- 83
- 84
- 85
注意:
如果发现代码有用例覆盖不到的情况,欢迎反馈!会在第一时间修正,更新。
解题不易,如对您有帮助,欢迎点赞/收藏
评论记录:
回复评论: