Skip to main content

212.单词搜索 II

标签: trie, backtracking

难度: Hard

通过率: 36.82%

原题链接: https://leetcode.com/problems/word-search-ii/description/

题目描述

给定一个字符的 m×nm \times n 的棋盘和一个字符串列表 words,返回棋盘上可以组成的所有单词。 每个单词必须由顺序相邻的单元格构成,其中相邻单元格是水平或垂直相邻的。 同一个单元格中的字母不能多次在一个单词中重复使用。

解题思路

这个问题可以使用字典树(Trie)结合回溯算法来解决。主要步骤如下:

  1. 构建字典树 (Trie):

    • 先将所有的单词插入到一棵字典树中。字典树可以帮助我们有效地检索前缀和单词。
  2. 遍历棋盘进行搜索:

    • 对棋盘上的每一个单元格,尝试从该单元格开始,通过深度优先搜索来查看是否可以找到任何以此单元格开始的单词。
    • 使用方向数组来实现移动(上下左右)。
    • 在搜索过程中,使用字典树来检索当前路径形成的字符串是否是某个单词的前缀或者是某个单词。
  3. 标记访问:

    • 在深度优先搜索的过程中,使用一个额外的数组来标记已经访问过的单元格,以防止在同一个路径中重复访问。
  4. 剪枝和优化:

    • 如果当前访问的前缀不在字典树中,不必继续搜索。
    • 对于已经找到的单词,可以从字典树中删掉,以减少以后的搜索。

这种方法结合了字典树的高效前缀查找能力和深度优先搜索的路径扩展能力,能够在合理的时间内解决大规模数据的问题。

代码实现

class TrieNode:
def __init__(self):
self.children = {}
self.is_end_of_word = False

class Trie:
def __init__(self):
self.root = TrieNode()

def insert(self, word):
node = self.root
for char in word:
if char not in node.children:
node.children[char] = TrieNode()
node = node.children[char]
node.is_end_of_word = True

class Solution:
def findWords(self, board, words):
def backtrack(i, j, node, path):
if node.is_end_of_word:
result.add(path)
node.is_end_of_word = False # 关键步骤,防止重复加入同一单词
if i < 0 or i >= len(board) or j < 0 or j >= len(board[0]) or board[i][j] == "#":
return
char = board[i][j]
if char not in node.children:
return
board[i][j] = "#" # 标记为访问
for x, y in [(i + 1, j), (i - 1, j), (i, j + 1), (i, j - 1)]:
backtrack(x, y, node.children[char], path + char)
board[i][j] = char # 恢复状态

result = set()
trie = Trie()
node = trie.root
for word in words:
trie.insert(word)
for i in range(len(board)):
for j in range(len(board[0])):
backtrack(i, j, node, "")
return list(result)

复杂度分析

时间复杂度:构造字典树的时间复杂度为 O(L)O(L),其中 LL 是所有单词字符的总数。搜索的时间复杂度在最坏情况下为 O(m×n×4k)O(m \times n \times 4^k),其中 kk 是单词的平均长度。搜索的最坏情况是遇到每个单元格尝试4个方向。

空间复杂度:空间复杂度为 O(L+m×n)O(L + m \times n),用于存储字典树和递归调用时使用的栈空间及标记访问的数组。