Updated on February 5, 2019
Problem
In computer science, a trie (pronounced "try"), also called digital tree, radix tree or prefix tree, is a kind of search treeāan ordered tree data structure used to store a dynamic set or associative array where the keys are usually strings. Build a trie.
Input
- A class
Trie
, with an empty constructor and three empty methodsinsert(word)
search(word)
startsWith(prefix):
- Assume that all word inputs are lowercase alphabets
Approach
The key to building a trie is to define a class that has a container which can house up to 26 keys (1 for each lowercase alphabet). This can be done by creating an array or hash map. Creating a static array, with a fixed size of 26 is the most optimal choice.
Each index in this array should contain another Trie
object, which will contain an array of its own for its own children. A Trie
is a lot like any computer science tree -- a subtree of a trie should be a trie itself.
When inserting a word, we want to iterate through each character in the word. For each character, we should create a new Trie
for that character and place it in the current trie's array. If this character already exists in the array, we should keep that trie, and re-use it, rather than replace it. Replacing that trie with an entirely new node will result in lost data.
One good question is how to implement the iterating logic. Recursive code is viable for a simple implementation and it is easier to write, since tries are recursive data structures in nature. Iterative code however, is faster in the long-run albeit it being trickier to write.
Solution
This is an iterative solution of the above approach. ord
is used to retrieve the ordinal number of the ASCII characters and it is subtracted with the offset to get the indices 0-25
, with 0 = 'a'
, 1 = 'b'
, and so on.