我最近一次采访中遇到了这个问题,
给出字母和单词的边界,找到所有可能的路径 说一个话
方向:水平,垂直或对角线到任何距离为1的坐标
约束:每个路径必须是唯一的一组坐标。
示例:
S T A R
A R T Y
X K C S
T R A P
START - > 2
这是我的解决方法,
class WordFinder:
def __init__(self):
self.neighbors = [[-1, 1], [0, -1], [1, -1], [-1, 0], [1, 0], [-1, 1], [0, 1], [1, 1]]
def find_all_paths(self, grid, word):
count = 0
for i in range(len(grid)):
for j in range(len(grid[i])):
if grid[i][j] == word[0]:
visited = [[False for _ in range(len(grid[0]))] for _ in range(len(grid))]
result = []
self.helper(grid, 0, 0, visited, word, 0, result)
count += len(result)
return count
def helper(self, grid, row, col, visited, word, index, result):
if index == len(word):
result.append(1)
adjacent = []
for item in self.neighbors:
adjacent.append([row + item[0], col + item[1]])
for adj in adjacent:
if 0 <= adj[0] < len(grid) and 0 <= adj[1] < len(grid[0]):
if not visited[adj[0]][adj[1]]:
if index + 1 < len(word) and grid[adj[0]][adj[1]] == word[index + 1]:
visited[adj[0]][adj[1]] = True
self.helper(grid, adj[0], adj[1], visited, word, index + 1, result)
visited[adj[0]][adj[1]] = False
if __name__ == '__main__':
word_finder = WordFinder()
print(word_finder.find_all_paths(
[['s', 't', 'a', 'r'], ['a', 'r', 't', 'y'], ['x', 'k', 'c', 's'], ['t', 'r', 'a', 'p']],
"start"))
这会产生错误的答案。有人可以通过我的逻辑帮助理解问题。
答案 0 :(得分:2)
答案应该是4,而不是2,对吗?我对“所有可能的路径”和“唯一的一组坐标”的解释是,同一坐标不能在单个路径中重复使用,但是不同的路径可能会使用其他路径的坐标。
Paths (row, col):
path1: 0 0 0 1 1 0 1 1 1 2
path2: 0 0 0 1 0 2 1 1 1 2
path3: 0 0 0 1 1 0 0 3 1 2
path4: 2 3 1 2 0 2 1 1 0 1
我看到3个错误,可能还有更多错误:
@ user3386109指出
self.neighbors = [[-1,1],[0,-1],[1,-1],[-1,0],[1,0],[-1,1],[ 0,1],[1,1]]
应该是
self.neighbors = [[-1, -1], [0, -1], [1, -1], [-1, 0], [1, 0], [-1, 1], [0, 1], [1, 1]]
您每次都从0开始:
self.helper(网格,0、0,已访问,单词,0,结果)
应为:
self.helper(grid, i, j, visited, word, 0, result)
您的终止于1:
如果index == len(word):
应该是
if index == len(word) - 1: