LeetCode211-添加与搜索单词-Trie树-数据结构-字符串

原题链接
LeetCode211-添加与搜索单词-Trie树-数据结构-字符串_第1张图片

Note:

和208题的Trie树差不多,就是每个是 . 的位置搜索一下整个树就好了

代码如下:
class WordDictionary {
public:
    struct Node {
        Node* son[26];
        bool is_end;

        Node(){
            for(int i = 0; i < 26; i ++)
                son[i] = NULL;
            is_end = false;
        }
    }*root;

    WordDictionary() {
        root = new Node();
    }
    
    void addWord(string word) {
        auto p = root;
        for(auto c: word){
            int u = c - 'a';
            if(!p -> son[u])    p -> son[u] = new Node();
            p = p -> son[u];            
        }
        p -> is_end = true;
    }
    
    bool search(string word) {
        return dfs(root, word, 0);
    }

    bool dfs(Node* p, string& word, int i){
        if(i == word.size())    return p -> is_end;
        if(word[i] != '.'){
            int u = word[i] - 'a';
            if(!p -> son[u])    return false;
            return dfs(p -> son[u], word, i + 1);
        }else{
            for(int j = 0; j < 26; j ++)
                if(p -> son[j] && dfs(p -> son[j], word, i + 1))
                    return true;
            return false;
        }
    }

    
};

/**
 * Your WordDictionary object will be instantiated and called as such:
 * WordDictionary* obj = new WordDictionary();
 * obj->addWord(word);
 * bool param_2 = obj->search(word);
 */

你可能感兴趣的:(leetcode,算法,数据结构,Trie树,字符串)