-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathsolution.js
43 lines (35 loc) · 824 Bytes
/
solution.js
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
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
/**
* @param {character[][]} board
* @param {string} word
* @return {boolean}
*/
const exist = (board, word) => {
let visited = new Set();
const expand = (r, c, i) => {
if (i === word.length) return true;
if (
r === board.length ||
c === board[0].length ||
r < 0 ||
c < 0 ||
visited.has(`${r}${c}`) ||
word[i] !== board[r][c]
) return false;
visited.add(`${r}${c}`);
i++
let res = expand(r, c + 1, i) ||
expand(r + 1, c, i) ||
expand(r, c - 1, i) ||
expand(r - 1, c, i);
visited.delete(`${r}${c}`);
return res;
}
for (let r = 0; r < board.length; r++) {
for (let c = 0; c < board[r].length; c++) {
if (word[0] === board[r][c]) {
if (expand(r, c, 0)) return true;
}
}
}
return false;
};