Go語言字典樹定義及實現

// trie 字典樹實現
package Algorithm

// 字典樹節點
type TrieNode struct {
    children map[interface{}]*TrieNode
    isEnd    bool
}

// 構造字典樹節點
func newTrieNode() *TrieNode {
    return &TrieNode{children: make(map[interface{}]*TrieNode), isEnd: false}
}

// 字典樹
type Trie struct {
    root *TrieNode
}

// 構造字典樹
func NewTrie() *Trie {
    return &Trie{root: newTrieNode()}
}

// 向字典樹中插入一個單詞
func (trie *Trie) Insert(word []interface{}) {
    node := trie.root
    for i := 0; i < len(word); i++ {
        _, ok := node.children[word[i]]
        if !ok {
            node.children[word[i]] = newTrieNode()
        }
        node = node.children[word[i]]
    }
    node.isEnd = true
}

// 搜索字典樹中是否存在指定單詞
func (trie *Trie) Search(word []interface{}) bool {
    node := trie.root
    for i := 0; i < len(word); i++ {
        _, ok := node.children[word[i]]
        if !ok {
            return false
        }
        node = node.children[word[i]]
    }
    return node.isEnd
}

// 判斷字典樹中是否有指定前綴的單詞
func (trie *Trie) StartsWith(prefix []interface{}) bool {
    node := trie.root
    for i := 0; i < len(prefix); i++ {
        _, ok := node.children[prefix[i]]
        if !ok {
            return false
        }
        node = node.children[prefix[i]]
    }
    return true
}

github連接地址:https://github.com/gaopeng527/go_Algorithm/blob/master/trie.gonode

相關文章
相關標籤/搜索