-
-
Notifications
You must be signed in to change notification settings - Fork 8.9k
/
Copy pathSolution.go
29 lines (29 loc) · 924 Bytes
/
Solution.go
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
func isEscapePossible(blocked [][]int, source []int, target []int) bool {
const N = 1e6
dirs := [4][2]int{{0, -1}, {0, 1}, {1, 0}, {-1, 0}}
block := make(map[int]bool)
for _, b := range blocked {
block[b[0]*N+b[1]] = true
}
var dfs func(source, target []int, seen map[int]bool) bool
dfs = func(source, target []int, seen map[int]bool) bool {
sx, sy := source[0], source[1]
tx, ty := target[0], target[1]
if sx < 0 || sx >= N || sy < 0 || sy >= N || tx < 0 || tx >= N || ty < 0 || ty >= N || block[sx*N+sy] || seen[sx*N+sy] {
return false
}
seen[sx*N+sy] = true
if len(seen) > 20000 || (sx == target[0] && sy == target[1]) {
return true
}
for _, dir := range dirs {
next := []int{sx + dir[0], sy + dir[1]}
if dfs(next, target, seen) {
return true
}
}
return false
}
s1, s2 := make(map[int]bool), make(map[int]bool)
return dfs(source, target, s1) && dfs(target, source, s2)
}