-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathtrie.go
81 lines (69 loc) · 1.44 KB
/
trie.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
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
package main
import (
"fmt"
"os"
)
// --- Trie implementation ---
type trie struct {
value interface{}
word bool
child [256]*trie
}
func (root *trie) insert(key string, value interface{}) {
p := root
for _, k := range key {
if p.child[k] == nil {
p.child[k] = new(trie)
}
p = p.child[k]
}
p.value, p.word = value, true
}
func (root *trie) lookup(key string) (interface{}, bool) {
p := root
for _, k := range key {
if p.child[k] == nil {
return nil, false
}
p = p.child[k]
}
return p.value, p.word
}
// --- Test codes ---
var testData = map[string]int{
"dodo": 10,
"alena": 100,
"wirth": 1000,
"hoare": 1100,
"ritchie": 1200,
"dijkstra": 1300,
"thompson": 1400,
"kernighan": 900,
}
func test(root *trie) {
for key, val := range testData {
trval, ok := root.lookup(key)
if !ok || val != trval {
fmt.Fprintf(os.Stderr, "FAIL %s:%d\n\n", key, val)
return
}
}
fmt.Fprintf(os.Stderr, "\nPASS\n\n")
}
func main() {
root := new(trie)
for key, val := range testData {
root.insert(key, val)
}
test(root) // Should pass
testData["bad"] = 666 // Create a failure case
test(root) // Should fail
// Some individual test cases
fmt.Println(root.lookup("dod"))
fmt.Println(root.lookup("dodo"))
fmt.Println(root.lookup("dodobig"))
fmt.Println(root.lookup("a"))
fmt.Println(root.lookup("alen"))
fmt.Println(root.lookup("alena"))
fmt.Println(root.lookup("alena1"))
}