# -*- coding: utf-8 -*-
"""
Created on Wed Jan 19 21:30:10 2022
Function: 字符串相乘
@author: 小梁aixj
"""
class Solution(object):
def multiply(self, num1, num2):
if num1 == '0' or num2 == '0':
return '0'
res = ''
ls1, ls2, = len(num1), len(num2)
ls = ls1 + ls2
arr = [0] * ls
for i in reversed(range(ls1)):
for j in reversed(range(ls2)):
arr[i + j + 1] += int(num1[i]) * int(num2[j])
for i in reversed(range(1, ls)):
arr[i - 1] += arr[i] / 10
arr[i] %= 10
pos = 0
if arr[pos] == 0:
pos += 1
while pos < ls:
res = res + str(arr[pos])
pos += 1
return res
if __name__ == '__main__':
s = Solution()
print (s.multiply("2", "3"))
# -*- coding: utf-8 -*-
"""
Created on Wed Jan 19 21:30:52 2022
Function: 有效的数独
@author: 小梁aixj
"""
from typing import List
class Solution:
def isValidSudoku(self, board):
"""
:type board: List[List[str]]
:rtype: bool
"""
raw = [{},{},{},{},{},{},{},{},{}]
col = [{},{},{},{},{},{},{},{},{}]
cell = [{},{},{},{},{},{},{},{},{}]
for i in range(9):
for j in range(9):
num = (3*(i//3) + j//3)
temp = board[i][j]
if temp != ".":
if temp not in raw[i] and temp not in col[j] and temp not in cell[num]:
raw [i][temp] = 1
col [j][temp] = 1
cell [num][temp] =1
else:
return False
return True
# %%
s = Solution()
board = [["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"]]
print(s.isValidSudoku(board))