1 字典树(前缀树、TrieTree)
字典树,又称单词查找树,Trie树(Retrieval Tree),一种树形数据结构,用于高效的存储和检索字符串数据集中的键。
用于统计、排序和保存大量的字符串
优点:利用字符串的公共前缀来减少查询时间,最大限度地减少无谓的字符串比较
给定字符串集合构建一颗前缀树,判断前缀树中是否存在字符串或该字符串的前缀字典树用于判断字符串是否存在或者是否具有某种字符串前缀
结点表示从根结点到本结点的路径构成的字符串是否有效

1.1 数据结构
字典树可以视为set,用于判断key是否存在;;但同时字典树也可以作为map,只需要再相应节点添加value值。
详解前缀树「TrieTree 汇总级别整理 🔥🔥🔥」 - 字符串的前缀分数和 - 力扣(LeetCode)
-
根据字符串集合构建前缀树
-
目标字符串是否存在于前缀树中
-
寻找目标字符串的前缀
struct TrieNode{ TrieNode* son[26]={}; boolean val; }; TrieNode *root=new TrieNode;
void insert(string word){ TrieNode *cur=root; for(char c: word){ int id=c-'a'; if(cur->son[id]==nullptr) cur->son[id]=new TrieNode; cur=cur->son[id]; } cur->val=true; }
bool query(string word){ TrieNode *cur=root; for(char ch:word){ int id=ch-'a'; if(cur->son[id]==nullptr) return false; cur=cur->son[id]; } return cur->val; }
bool startsWith(string prefix) { TrieNode *cur=root; for(char ch:prefix){ int id=ch-'a'; if(cur->son[id]==nullptr) return false; cur=cur->son[id]; } return true; }
string shortestPrefixOf(string word){ TrieNode *cur=root; string ret=""; for(char ch: word){ int id=ch-'a'; if(cur->val) return ret; if(cur->son[id]==nullptr) return ""; ret+=ch; cur=cur->son[id]; } return ""; }
bool search(string word){ return query(root,word,0); }
bool query(TrieNode *cur, string &word,int index){ if(cur==nullptr) return false; if(index==word.size()) return true; if(word[index]=='.'){ for(int i=0;i<26;i++){ if(query(cur->son[i],word,index+1)) return true; } return false; }else{ int id=word[index]-'a'; return query(cur->son[id],word,index+1); } }
|
struct TrieNode{ unordered_map<char,TrieNode*> son; boolean val; }
|