-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path36.有效的数独.py
100 lines (95 loc) · 3.24 KB
/
36.有效的数独.py
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
86
87
88
89
90
91
92
93
94
95
96
97
98
99
#
# @lc app=leetcode.cn id=36 lang=python3
#
# [36] 有效的数独
#
# https://leetcode-cn.com/problems/valid-sudoku/description/
#
# algorithms
# Medium (58.47%)
# Likes: 277
# Dislikes: 0
# Total Accepted: 58.2K
# Total Submissions: 99.2K
# Testcase Example: '[["5","3",".",".","7",".",".",".","."],["6",".",".","1","9","5",".",".","."],[".","9","8",".",".",".",".","6","."],["8",".",".",".","6",".",".",".","3"],["4",".",".","8",".","3",".",".","1"],["7",".",".",".","2",".",".",".","6"],[".","6",".",".",".",".","2","8","."],[".",".",".","4","1","9",".",".","5"],[".",".",".",".","8",".",".","7","9"]]'
#
# 判断一个 9x9 的数独是否有效。只需要根据以下规则,验证已经填入的数字是否有效即可。
#
#
# 数字 1-9 在每一行只能出现一次。
# 数字 1-9 在每一列只能出现一次。
# 数字 1-9 在每一个以粗实线分隔的 3x3 宫内只能出现一次。
#
#
#
#
# 上图是一个部分填充的有效的数独。
#
# 数独部分空格内已填入了数字,空白格用 '.' 表示。
#
# 示例 1:
#
# 输入:
# [
# ["5","3",".",".","7",".",".",".","."],
# ["6",".",".","1","9","5",".",".","."],
# [".","9","8",".",".",".",".","6","."],
# ["8",".",".",".","6",".",".",".","3"],
# ["4",".",".","8",".","3",".",".","1"],
# ["7",".",".",".","2",".",".",".","6"],
# [".","6",".",".",".",".","2","8","."],
# [".",".",".","4","1","9",".",".","5"],
# [".",".",".",".","8",".",".","7","9"]
# ]
# 输出: true
#
#
# 示例 2:
#
# 输入:
# [
# ["8","3",".",".","7",".",".",".","."],
# ["6",".",".","1","9","5",".",".","."],
# [".","9","8",".",".",".",".","6","."],
# ["8",".",".",".","6",".",".",".","3"],
# ["4",".",".","8",".","3",".",".","1"],
# ["7",".",".",".","2",".",".",".","6"],
# [".","6",".",".",".",".","2","8","."],
# [".",".",".","4","1","9",".",".","5"],
# [".",".",".",".","8",".",".","7","9"]
# ]
# 输出: false
# 解释: 除了第一行的第一个数字从 5 改为 8 以外,空格内其他数字均与 示例1 相同。
# 但由于位于左上角的 3x3 宫内有两个 8 存在, 因此这个数独是无效的。
#
# 说明:
#
#
# 一个有效的数独(部分已被填充)不一定是可解的。
# 只需要根据以上规则,验证已经填入的数字是否有效即可。
# 给定数独序列只包含数字 1-9 和字符 '.' 。
# 给定数独永远是 9x9 形式的。
#
#
#
# @lc code=start
class Solution:
def isValidSudoku(self, board: List[List[str]]) -> bool:
for row in range(len(board)):
for col in range(len(board[row])):
if not self.isValid(board, row, col):
return False
return True
def isValid(self, board, row, col):
num = board[row][col]
for i in range(9):
if board[row][i] != '.' and i != col and board[row][i] == num:
return False
if board[i][col] != '.' and i != row and board[i][col] == num:
return False
subRow = (row // 3) * 3 + i // 3
subCol = (col // 3) * 3 + i % 3
if board[subRow][subCol] != '.' and not (subRow == row and subCol == col) and board[subRow][subCol] == num:
return False
return True
# @lc code=end