实现一个 Trie (前缀树),包含 insert
, search
, 和 startsWith
这三个操作。
示例:
Trie trie = new Trie(); trie.insert("apple"); trie.search("apple"); // 返回 true trie.search("app"); // 返回 false trie.startsWith("app"); // 返回 true trie.insert("app"); trie.search("app"); // 返回 true
代码展示:
class Trie {
public:
/** Initialize your data structure here. */
Trie() {
}
/** Inserts a word into the trie. */
void insert(string word) {
vec.push_back(word);
}
/** Returns if the word is in the trie. */
bool search(string word) {
if(find(vec.begin(),vec.end(),word)!=vec.end())
return true;
return false;
}
/** Returns if there is any word in the trie that starts with the given prefix. */
bool startsWith(string prefix) {
int len = prefix.length();
for(auto v:vec){
if(v.length()>=len){
if(v.substr(0,len)==prefix)
return true;
}
}
return false;
}
private:
vector<string> vec;
};