Friday, April 14, 2017
208. Implement Trie (Prefix Tree)
二刷
20.99 %
class Trie {
TrieNode root;
class TrieNode {
TrieNode[] children;
boolean isWord;
public TrieNode() {
children = new TrieNode[26]; // a - z
isWord = false;
}
}
/** Initialize your data structure here. */
public Trie() {
root = new TrieNode();
}
/** Inserts a word into the trie. */
public void insert(String word) {
TrieNode curr = root;
int i = 0;
while (i < word.length()) {
int index = word.charAt(i) - 'a';
if (curr.children[index] == null) curr.children[index] = new TrieNode();
curr = curr.children[index];
i++;
}
curr.isWord = true;
}
/** Returns if the word is in the trie. */
public boolean search(String word) {
TrieNode curr = root;
int i = 0;
while (i < word.length()) {
int index = word.charAt(i) - 'a';
if (curr.children[index] == null) return false;
curr = curr.children[index];
i++;
}
return curr.isWord;
}
/** Returns if there is any word in the trie that starts with the given prefix. */
public boolean startsWith(String prefix) {
TrieNode curr = root;
int i = 0;
while (i < prefix.length()) {
int index = prefix.charAt(i) - 'a';
if (curr.children[index] == null) return false;
curr = curr.children[index];
i++;
}
return true;
}
}
一刷
/**
* Your Trie object will be instantiated and called as such:
* Trie trie = new Trie();
* trie.insert("lintcode");
* trie.search("lint"); will return false
* trie.startsWith("lint"); will return true
*/
class TrieNode {
// Initialize your data structure here.
public boolean isWord;
public TrieNode[] children;
public TrieNode() {
this.children = new TrieNode[26];
}
}
public class Trie {
private TrieNode root;
public Trie() {
root = new TrieNode();
}
// Inserts a word into the trie.
public void insert(String word) {
TrieNode curr = root;
int index;
for (int i = 0; i < word.length(); i++) {
index = word.charAt(i) - 'a';
if (curr.children[index] == null) {
curr.children[index] = new TrieNode();
}
curr = curr.children[index];
}
curr.isWord = true;
}
// Returns if the word is in the trie.
public boolean search(String word) {
TrieNode curr = root;
int index;
for (int i = 0; i < word.length(); i++) {
index = word.charAt(i) - 'a';
if (curr.children[index] == null) return false;
curr = curr.children[index];
}
return curr.isWord;
}
// Returns if there is any word in the trie
// that starts with the given prefix.
public boolean startsWith(String prefix) {
TrieNode curr = root;
int index;
for (int i = 0; i < prefix.length(); i++) {
index = prefix.charAt(i) - 'a';
if (curr.children[index] == null) return false;
curr = curr.children[index];
}
return true;
}
}
Subscribe to:
Post Comments (Atom)
No comments:
Post a Comment