leetcode 208. 实现 Trie (前缀树)

Trie [traɪ] 读音和 try 相同,它的另一些名字有:字典树,前缀树,单词查找树等。

208. 实现 Trie (前缀树) - 力扣(LeetCode)

Trie 是一颗非典型的多叉树模型,多叉好理解,即每个结点的分支数量可能为多个。

为什么说非典型呢?因为它和一般的多叉树不一样,尤其在结点的数据结构设计上,比如一般的多叉树的结点是这样的:

1
2
3
4
5
6
7
8
type TrieNode struct {

    Value int

    Next  *TrieNode

}

而 Trie 的结点是这样的(假设只包含’a’~’z’中的字符):

1
2
3
4
5
6
7
8
type TrieNode struct {

    children [26]*TrieNode

    isEnd    bool

}

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
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
package main



import "fmt"



// TrieNode 代表Trie中的每个节点

type TrieNode struct {

    children [26]*TrieNode

    isEnd    bool

}



// Trie 代表整个前缀树

type Trie struct {

    root *TrieNode

}



// Constructor 初始化一个Trie对象

func Constructor() Trie {

    return Trie{root: &TrieNode{}}

}



// Insert 将word插入到trie中

func (this *Trie) Insert(word string) {

    node := this.root

    for _, ch := range word {

        index := ch - 'a'

        if node.children[index] == nil {

            node.children[index] = &TrieNode{}

        }

        node = node.children[index]

    }

    node.isEnd = true // 标记单词结束的节点

}



// Search 在trie中搜索word

func (this *Trie) Search(word string) bool {

    node := this.root

    for _, ch := range word {

        index := ch - 'a'

        if node.children[index] == nil {

            return false // 如果路径中的节点不存在,说明word不在trie中

        }

        node = node.children[index]

    }

    return node.isEnd // 检查最后一个节点是否标记为单词结尾

}



// StartsWith 返回trie中是否有任何单词以prefix为前缀

func (this *Trie) StartsWith(prefix string) bool {

    node := this.root

    for _, ch := range prefix {

        index := ch - 'a'

        if node.children[index] == nil {

            return false // 如果路径中的节点不存在,说明没有以prefix为前缀的word

        }

        node = node.children[index]

    }

    return true // 所有的char都在路径中,说明trie有以prefix为前缀的word

}



/**

 * Your Trie object will be instantiated and called as such:

 * obj := Constructor();

 * obj.Insert(word);

 * param_2 := obj.Search(word);

 * param_3 := obj.StartsWith(prefix);

 */


leetcode 208. 实现 Trie (前缀树)
https://leiqi.top/2024-04-16-1150f59f3df6.html
作者
Lei Qi
发布于
2024年4月17日
许可协议