LeetCode:208 实现字典树

基础的数据结构,实现方法完全可以根据思路背下来。 

class Trie {
private:
    bool isEnd;
    Trie* next[26];
public:
    /** Initialize your data structure here. */
    Trie() {
        isEnd = false;
        memset(next, 0, sizeof(next)); // next初始化全部设置为0
    }
    
    /** Inserts a word into the trie. */
    void insert(string word) {
        Trie* node = this;
        for(char ch : word) {
            if(node->next[ch-'a'] == NULL) {
                node->next[ch-'a'] = new Trie();
            }
            node = node->next[ch-'a'];
        }
        node->isEnd = true;
    }
    
    /** Returns if the word is in the trie. */
    bool search(string word) {
        Trie* node = this;
        for(char ch : word) {
            node = node->next[ch-'a'];
            if(node == NULL) {
                return false;
            }
        }
        return node->isEnd;
    }
    
    /** Returns if there is any word in the trie that starts with the given prefix. */
    bool startsWith(string prefix) {
        Trie* node = this;
        for(char ch : prefix) {
            node = node->next[ch-'a'];
            if(node == NULL) {
                return false;
            }
        }
        return true;
    }
};

/**
 * Your Trie object will be instantiated and called as such:
 * Trie* obj = new Trie();
 * obj->insert(word);
 * bool param_2 = obj->search(word);
 * bool param_3 = obj->startsWith(prefix);
 */
发布了97 篇原创文章 · 获赞 11 · 访问量 2459

猜你喜欢

转载自blog.csdn.net/chengda321/article/details/104373333
今日推荐