forked from JediXL/LeetCodeByPython
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path36ValidSudoku.py
62 lines (56 loc) · 1.91 KB
/
36ValidSudoku.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
class Solution:
def isValidSudoku(self, board):
"""
:type board: List[List[str]]
:rtype: bool
"""
# check every row valid or not
for row in board:
temp_row = []
for num in row:
if num == ".":
continue
elif num not in temp_row:
temp_row.append(num)
else:
return False
# check every col valid or not
i = 0
while i < 9:
temp_col = []
for row in board:
if row[i] == ".":
continue
elif row[i] not in temp_col:
temp_col.append(row[i])
else:
return False
i += 1
# check every 3*3 valid or not:
s = 0
while s <= 6:
col = 0
while col <= 6:
temp_box = []
for row in board[s:s + 3]:
for num in row[col:col + 3]:
if num == ".":
continue
elif num not in temp_box:
temp_box.append(num)
else:
return False
col += 3
s += 3
return True
s = Solution()
res = s.isValidSudoku([[".", ".", "4", ".", ".", ".", "6", "3", "."], [
".", ".", ".", ".", ".", ".", ".", ".", "."
], ["5", ".", ".", ".", ".", ".", ".", "9",
"."], [".", ".", ".", "5", "6", ".", ".", ".",
"."], ["4", ".", "3", ".", ".", ".", ".", ".",
"1"], [".", ".", ".", "7", ".", ".", ".", ".", "."],
[".", ".", ".", "5", ".", ".", ".", ".",
"."], [".", ".", ".", ".", ".", ".", ".", ".", "."],
[".", ".", ".", ".", ".", ".", ".", ".", "."]])
print(res)