请你判断一个 9 x 9 的数独是否有效。只需要 根据以下规则 ,验证已经填入的数字是否有效即可。
数字 1-9 在每一行只能出现一次。
数字 1-9 在每一列只能出现一次。
数字 1-9 在每一个以粗实线分隔的 3x3 宫内只能出现一次。(请参考示例图)
思路
- 由于不需要验证数独是否可解,根据既有规则实现逻辑判定即可
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
| var isValidSudoku = function (board) { const checkRowValid = (i) => { let marked = {} for (let j = 0; j < 9; ++j) { if (board[i][j] === '.') { continue } if (marked[board[i][j]]) { return false } marked[board[i][j]] = true } return true } const checkColumnValid = (j) => { let marked = {} for (let i = 0; i < 9; ++i) { if (board[i][j] === '.') { continue } if (marked[board[i][j]]) { return false } marked[board[i][j]] = true } return true } const checkGridValid = (index) => { const m = Math.floor(index / 3) const n = index % 3 const startI = m * 3 const startJ = n * 3 let marked = {} for (let i = startI; i < startI + 3; ++i) { for (let j = startJ; j < startJ + 3; ++j) { if (board[i][j] === '.') { continue } if (marked[board[i][j]]) { return false } marked[board[i][j]] = true } } return true } for (let index = 0; index < 9; ++index) { if (!checkRowValid(index)) { return false } if (!checkColumnValid(index)) { return false } if (!checkGridValid(index)) { return false } } return true }
|