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 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86
| type Trie struct { Count int Prefix string Edges map[byte]*Trie }
func (this *Trie) Insert(word string) { curr := this for i := 0; i < len(word); i++ { next, ok := curr.Edges[word[i]] if !ok { next = &Trie{ Count: 0, Prefix: curr.Prefix + string(word[i]), Edges: make(map[byte]*Trie), } curr.Edges[word[i]] = next }
if i == len(word) - 1 { next.Count++ }
curr = next
} }
func findWords(board [][]byte, words []string) []string { m := len(board) n := len(board[0]) ans := []string{}
tire := &Trie{ Count: 0, Edges: make(map[byte]*Trie), }
for i := 0; i < len(words); i++ { tire.Insert(words[i]) }
var search func(int, int, *Trie, [][]bool)
search = func(i, j int, t *Trie, visited [][]bool) { if i < 0 || i >= m || j < 0 || j >= n || visited[i][j]{ return }
dx := []int{0, 1, -1, 0} dy := []int{1, 0, 0, -1}
next, ok := t.Edges[board[i][j]] if !ok{ return }
if next.Count > 0 { ans = append(ans, next.Prefix) next.Count-- }
visited[i][j] = true
for step := 0; step < 4; step++ { search(i+dy[step], j+dx[step], next, visited) }
visited[i][j] = false }
visited := make([][]bool, m)
for i := 0; i < m; i++ { visited[i] = make([]bool, n) }
for i, row := range board { for j, _ := range row { search(i, j, tire, visited) } }
return ans }
|