-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy path79.py
26 lines (25 loc) · 999 Bytes
/
79.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
# https://neetcode.io/problems/search-for-word
# https://leetcode.com/problems/word-search/description/
from typing import List
class Solution:
def exist(self, board: List[List[str]], word: str) -> bool:
searched = set()
def wordSearch(br, bc, wi):
if wi == len(word):
return True
if br < 0 or br >= len(board) or bc < 0 or bc >= len(board[br]):
return False
if (br, bc) in searched or board[br][bc] != word[wi]:
return False
searched.add((br, bc))
b1 = wordSearch(br-1, bc, wi + 1)
b2 = wordSearch(br+1, bc, wi + 1)
b3 = wordSearch(br, bc-1, wi + 1)
b4 = wordSearch(br, bc+1, wi + 1)
searched.remove((br, bc))
return b1 or b2 or b3 or b4
for r in range(len(board)):
for c in range(len(board[r])):
if wordSearch(r, c, 0):
return True
return False