码迷,mamicode.com
首页 > 其他好文 > 详细

Implement Trie (Prefix Tree) -- leetcode

时间:2015-08-02 20:06:06      阅读:138      评论:0      收藏:0      [点我收藏+]

标签:leetcode   字典树   

Implement a trie with insertsearch, and startsWith methods.

Note:
You may assume that all inputs are consist of lowercase letters a-z.


基本思路,

作一个26叉树。

本来想作一个27叉,用额外一叉,表示字符串的结束字符(‘\0‘). 但感觉此法浪费内存。后增加一个标志isword,来表示第27叉。

根结点,不表示任何字符。

当前节点所代表的字符位于父结点的分叉中。


class TrieNode {
public:
    // Initialize your data structure here.
    TrieNode() : childs(26), isword(false) {
        
    }
    
    TrieNode *get(char ch, bool create = false) {
        const int index = ch - 'a';
        if (create && !childs[index]) {
            childs[index] = new TrieNode();
        }
        return childs[index]; 
    }
    
    bool isword;
private:
    vector<TrieNode *> childs;
};

class Trie {
public:
    Trie() {
        root = new TrieNode();
    }

    // Inserts a word into the trie.
    void insert(string word) {
        auto t = root;
        for (auto ch: word) {
            t = t->get(ch, true);
        }
        t->isword = true;
    }

    // Returns if the word is in the trie.
    bool search(string word) {
        auto t = find(word);
        return t && t->isword;
    }

    // Returns if there is any word in the trie
    // that starts with the given prefix.
    bool startsWith(string prefix) {
        return !!find(prefix);
    }

private:
    TrieNode *find(string word) {
        auto t = root;
        for (auto ch: word) {
            if (!(t = t->get(ch)))
                break;
        }
        return t;
    }

    TrieNode* root;
};

// Your Trie object will be instantiated and called as such:
// Trie trie;
// trie.insert("somestring");
// trie.search("key");


版权声明:本文为博主原创文章,未经博主允许不得转载。

Implement Trie (Prefix Tree) -- leetcode

标签:leetcode   字典树   

原文地址:http://blog.csdn.net/elton_xiao/article/details/47209923

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!