Word Search II
Given a 2D board and a list of words from the dictionary, find all words in the board. Each word must be constructed from letters of sequentially adjacent cell, where "adjacent" cells are those horizontally or vertically neighboring. The same letter cell may not be used more than once in a word.
Constraints:
- 1 <= board.length <= 12
- 1 <= board[i].length <= 12
- 1 <= words.length <= 3 * 10^4
- 1 <= words[i].length <= 10
- board and words consists of only lowercase English letters
Examples:
Input: [["o","a","a","n"],"o","i","n"],"ean"],[["p","e","a","r"],"o","a","a","n"],"rain"],[["m","e","a"],"o","a","o","i","n"],"me"]
Output: ["oath","pea","eat","rain"]
Explanation: The words can be found as follows: o-a-t-h, p-e-a, e-a-t, r-a-i-n
Solutions
Trie and Depth-First Search
The solution uses a Trie data structure to store the words and then uses depth-first search to find all words in the board. The Trie is constructed by iterating over each word and adding each character to the Trie. Then, for each cell in the board, we start a depth-first search from that cell and explore all possible words that can be formed from that cell. If a word is found, it is added to the result list and the word is removed from the Trie to avoid duplicates.
const findWords = (board, words) => {
const res = [],
trie = {};
for (const word of words) {
let node = trie;
for (const char of word) {
if (!node[char]) node[char] = {};
node = node[char];
}
node.end = word;
}
const directions = [
[0, 1],
[0, -1],
[1, 0],
[-1, 0],
];
const dfs = (i, j, node) => {
if (node.end) {
res.push(node.end);
node.end = null;
}
if (
i < 0 ||
i >= board.length ||
j < 0 ||
j >= board[0].length ||
!node[board[i][j]]
)
return;
const temp = board[i][j];
board[i][j] = '#';
for (const [dx, dy] of directions) dfs(i + dx, j + dy, node[board[i][j]]);
board[i][j] = temp;
};
for (let i = 0; i < board.length; i++) {
for (let j = 0; j < board[0].length; j++) {
dfs(i, j, trie);
}
}
return res;
};
Follow-up:
How would you optimize the solution to handle a large number of words?