What is Trie?
Trie is a type of k-ary search tree used for storing and searching a specific key from a set. Using Trie, search complexities can be brought to optimal limit (key length).
Definition: A trie (derived from retrieval) is a multiway tree data structure used for storing strings over an alphabet. It is used to store a large amount of strings. The pattern matching can be done efficiently using tries.
The trie shows words like allot, alone, ant, and, are, bat, bad. The idea is that all strings sharing common prefix should come from a common node. The tries are used in spell checking programs.
- Preprocessing pattern improves the performance of pattern matching algorithm. But if a text is very large then it is better to preprocess text instead of pattern for efficient search.
- A trie is a data structure that supports pattern matching queries in time proportional to the pattern size.
If we store keys in a binary search tree, a well balanced BST will need time proportional to M * log N, where M is the maximum string length and N is the number of keys in the tree. Using Trie, the key can be searched in O(M) time. However, the penalty is on Trie storage requirements (Please refer to Applications of Trie for more details).
Trie is also known as digital tree or prefix tree. Refer to this article for more detailed information.

Trie data structure
Structure of Trie node:
Every node of Trie consists of multiple branches. Each branch represents a possible character of keys. Mark the last node of every key as the end of the word node. A Trie node field isEndOfWord is used to distinguish the node as the end of the word node.
A simple structure to represent nodes of the English alphabet can be as follows.
C++
struct TrieNode
{
struct TrieNode *children[ALPHABET_SIZE];
bool isEndOfWord;
};
|
Java
class TrieNode
{
TrieNode[] children = new TrieNode[ALPHABET_SIZE];
boolean isEndOfWord;
}
|
Python3
class TrieNode:
def __init__( self ):
self .children = [ None for _ in range ( 26 )]
self .isEndOfWord = False
|
C#
class TrieNode
{
TrieNode[] children = new TrieNode[ALPHABET_SIZE];
bool isEndOfWord;
}
|
Javascript
class TrieNode
{
constructor()
{
this .children = new Array(26)
self.isEndOfWord = false ;
}
}
|
Insert Operation in Trie:
Inserting a key into Trie is a simple approach.
- Every character of the input key is inserted as an individual Trie node. Note that the children is an array of pointers (or references) to next-level trie nodes.
- The key character acts as an index to the array children.
- If the input key is new or an extension of the existing key, construct non-existing nodes of the key, and mark the end of the word for the last node.
- If the input key is a prefix of the existing key in Trie, Simply mark the last node of the key as the end of a word.
The key length determines Trie depth.
The following picture explains the construction of trie using keys given in the example below.

Insertion operation
Advantages of tries
1. In tries the keys are searched using common prefixes. Hence it is faster. The lookup of keys depends upon the height in case of binary search tree.
2. Tries take less space when they contain a large number of short strings. As nodes are shared between the keys.
3. Tries help with longest prefix matching, when we want to find the key.
Comparison of tries with hash table
1. Looking up data in a trie is faster in worst case as compared to imperfect hash table.
2. There are no collisions of different keys in a trie.
3. In trie if single key is associated with more than one value then it resembles buckets in hash table.
4. There is no hash function in trie.
5. Sometimes data retrieval from tries is very much slower than hashing.
6. Representation of keys a string is complex. For example, representing floating point numbers using strings is really complicated in tries.
7. Tries always take more space than hash tables.
8. Tries are not available in programming tool it. Hence implementation of tries has to be done from scratch.
Applications of tries
1. Tries has an ability to insert, delete or search for the entries. Hence they are used in building dictionaries such as entries for telephone numbers, English words.
2. Tries are also used in spell-checking softwares.
Search Operation in Trie:
Searching for a key is similar to the insert operation. However, It only compares the characters and moves down. The search can terminate due to the end of a string or lack of key in the trie.
- In the former case, if the isEndofWord field of the last node is true, then the key exists in the trie.
- In the second case, the search terminates without examining all the characters of the key, since the key is not present in the trie.

Searching in Trie
Note: Insert and search costs O(key_length), however, the memory requirements of Trie is O(ALPHABET_SIZE * key_length * N) where N is the number of keys in Trie. There are efficient representations of trie nodes (e.g. compressed trie, ternary search tree, etc.) to minimize the memory requirements of the trie.
How to implement a Trie Data Structure?
- Create a root node with the help of TrieNode() constructor.
- Store a collection of strings that have to be inserted in the trie in a vector of strings say, arr.
- Inserting all strings in Trie with the help of the insert() function,
- Search strings with the help of search() function.
Below is the implementation of the above approach:
C++
#include <bits/stdc++.h>
using namespace std;
const int ALPHABET_SIZE = 26;
struct TrieNode
{
struct TrieNode *children[ALPHABET_SIZE];
bool isEndOfWord;
};
struct TrieNode *getNode( void )
{
struct TrieNode *pNode = new TrieNode;
pNode->isEndOfWord = false ;
for ( int i = 0; i < ALPHABET_SIZE; i++)
pNode->children[i] = NULL;
return pNode;
}
void insert( struct TrieNode *root, string key)
{
struct TrieNode *pCrawl = root;
for ( int i = 0; i < key.length(); i++)
{
int index = key[i] - 'a' ;
if (!pCrawl->children[index])
pCrawl->children[index] = getNode();
pCrawl = pCrawl->children[index];
}
pCrawl->isEndOfWord = true ;
}
bool search( struct TrieNode *root, string key)
{
struct TrieNode *pCrawl = root;
for ( int i = 0; i < key.length(); i++)
{
int index = key[i] - 'a' ;
if (!pCrawl->children[index])
return false ;
pCrawl = pCrawl->children[index];
}
return (pCrawl->isEndOfWord);
}
int main()
{
string keys[] = { "the" , "a" , "there" ,
"answer" , "any" , "by" ,
"bye" , "their" };
int n = sizeof (keys)/ sizeof (keys[0]);
struct TrieNode *root = getNode();
for ( int i = 0; i < n; i++)
insert(root, keys[i]);
char output[][32] = { "Not present in trie" , "Present in trie" };
cout<< "the" << " --- " <<output[search(root, "the" )]<<endl;
cout<< "these" << " --- " <<output[search(root, "these" )]<<endl;
cout<< "their" << " --- " <<output[search(root, "their" )]<<endl;
cout<< "thaw" << " --- " <<output[search(root, "thaw" )]<<endl;
return 0;
}
|
C
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <stdbool.h>
#define ARRAY_SIZE(a) sizeof(a)/sizeof(a[0])
#define ALPHABET_SIZE (26)
#define CHAR_TO_INDEX(c) ((int)c - (int)'a')
struct TrieNode
{
struct TrieNode *children[ALPHABET_SIZE];
bool isEndOfWord;
};
struct TrieNode *getNode( void )
{
struct TrieNode *pNode = NULL;
pNode = ( struct TrieNode *) malloc ( sizeof ( struct TrieNode));
if (pNode)
{
int i;
pNode->isEndOfWord = false ;
for (i = 0; i < ALPHABET_SIZE; i++)
pNode->children[i] = NULL;
}
return pNode;
}
void insert( struct TrieNode *root, const char *key)
{
int level;
int length = strlen (key);
int index;
struct TrieNode *pCrawl = root;
for (level = 0; level < length; level++)
{
index = CHAR_TO_INDEX(key[level]);
if (!pCrawl->children[index])
pCrawl->children[index] = getNode();
pCrawl = pCrawl->children[index];
}
pCrawl->isEndOfWord = true ;
}
bool search( struct TrieNode *root, const char *key)
{
int level;
int length = strlen (key);
int index;
struct TrieNode *pCrawl = root;
for (level = 0; level < length; level++)
{
index = CHAR_TO_INDEX(key[level]);
if (!pCrawl->children[index])
return false ;
pCrawl = pCrawl->children[index];
}
return (pCrawl->isEndOfWord);
}
int main()
{
char keys[][8] = { "the" , "a" , "there" , "answer" , "any" ,
"by" , "bye" , "their" };
char output[][32] = { "Not present in trie" , "Present in trie" };
struct TrieNode *root = getNode();
int i;
for (i = 0; i < ARRAY_SIZE(keys); i++)
insert(root, keys[i]);
printf ( "%s --- %s\n" , "the" , output[search(root, "the" )] );
printf ( "%s --- %s\n" , "these" , output[search(root, "these" )] );
printf ( "%s --- %s\n" , "their" , output[search(root, "their" )] );
printf ( "%s --- %s\n" , "thaw" , output[search(root, "thaw" )] );
return 0;
}
|
Java
public class Trie {
static final int ALPHABET_SIZE = 26 ;
static class TrieNode
{
TrieNode[] children = new TrieNode[ALPHABET_SIZE];
boolean isEndOfWord;
TrieNode(){
isEndOfWord = false ;
for ( int i = 0 ; i < ALPHABET_SIZE; i++)
children[i] = null ;
}
};
static TrieNode root;
static void insert(String key)
{
int level;
int length = key.length();
int index;
TrieNode pCrawl = root;
for (level = 0 ; level < length; level++)
{
index = key.charAt(level) - 'a' ;
if (pCrawl.children[index] == null )
pCrawl.children[index] = new TrieNode();
pCrawl = pCrawl.children[index];
}
pCrawl.isEndOfWord = true ;
}
static boolean search(String key)
{
int level;
int length = key.length();
int index;
TrieNode pCrawl = root;
for (level = 0 ; level < length; level++)
{
index = key.charAt(level) - 'a' ;
if (pCrawl.children[index] == null )
return false ;
pCrawl = pCrawl.children[index];
}
return (pCrawl.isEndOfWord);
}
public static void main(String args[])
{
String keys[] = { "the" , "a" , "there" , "answer" , "any" ,
"by" , "bye" , "their" };
String output[] = { "Not present in trie" , "Present in trie" };
root = new TrieNode();
int i;
for (i = 0 ; i < keys.length ; i++)
insert(keys[i]);
if (search( "the" ) == true )
System.out.println( "the --- " + output[ 1 ]);
else System.out.println( "the --- " + output[ 0 ]);
if (search( "these" ) == true )
System.out.println( "these --- " + output[ 1 ]);
else System.out.println( "these --- " + output[ 0 ]);
if (search( "their" ) == true )
System.out.println( "their --- " + output[ 1 ]);
else System.out.println( "their --- " + output[ 0 ]);
if (search( "thaw" ) == true )
System.out.println( "thaw --- " + output[ 1 ]);
else System.out.println( "thaw --- " + output[ 0 ]);
}
}
|
Python3
class TrieNode:
def __init__( self ):
self .children = [ None ] * 26
self .isEndOfWord = False
class Trie:
def __init__( self ):
self .root = self .getNode()
def getNode( self ):
return TrieNode()
def _charToIndex( self ,ch):
return ord (ch) - ord ( 'a' )
def insert( self ,key):
pCrawl = self .root
length = len (key)
for level in range (length):
index = self ._charToIndex(key[level])
if not pCrawl.children[index]:
pCrawl.children[index] = self .getNode()
pCrawl = pCrawl.children[index]
pCrawl.isEndOfWord = True
def search( self , key):
pCrawl = self .root
length = len (key)
for level in range (length):
index = self ._charToIndex(key[level])
if not pCrawl.children[index]:
return False
pCrawl = pCrawl.children[index]
return pCrawl.isEndOfWord
def main():
keys = [ "the" , "a" , "there" , "anaswe" , "any" ,
"by" , "their" ]
output = [ "Not present in trie" ,
"Present in trie" ]
t = Trie()
for key in keys:
t.insert(key)
print ( "{} ---- {}" . format ( "the" ,output[t.search( "the" )]))
print ( "{} ---- {}" . format ( "these" ,output[t.search( "these" )]))
print ( "{} ---- {}" . format ( "their" ,output[t.search( "their" )]))
print ( "{} ---- {}" . format ( "thaw" ,output[t.search( "thaw" )]))
if __name__ = = '__main__' :
main()
|
C#
using System;
public class Trie
{
static readonly int ALPHABET_SIZE = 26;
class TrieNode
{
public TrieNode[] children = new TrieNode[ALPHABET_SIZE];
public bool isEndOfWord;
public TrieNode()
{
isEndOfWord = false ;
for ( int i = 0; i < ALPHABET_SIZE; i++)
children[i] = null ;
}
};
static TrieNode root;
static void insert(String key)
{
int level;
int length = key.Length;
int index;
TrieNode pCrawl = root;
for (level = 0; level < length; level++)
{
index = key[level] - 'a' ;
if (pCrawl.children[index] == null )
pCrawl.children[index] = new TrieNode();
pCrawl = pCrawl.children[index];
}
pCrawl.isEndOfWord = true ;
}
static bool search(String key)
{
int level;
int length = key.Length;
int index;
TrieNode pCrawl = root;
for (level = 0; level < length; level++)
{
index = key[level] - 'a' ;
if (pCrawl.children[index] == null )
return false ;
pCrawl = pCrawl.children[index];
}
return (pCrawl.isEndOfWord);
}
public static void Main()
{
String []keys = { "the" , "a" , "there" , "answer" ,
"any" , "by" , "bye" , "their" };
String []output = { "Not present in trie" , "Present in trie" };
root = new TrieNode();
int i;
for (i = 0; i < keys.Length ; i++)
insert(keys[i]);
if (search( "the" ) == true )
Console.WriteLine( "the --- " + output[1]);
else Console.WriteLine( "the --- " + output[0]);
if (search( "these" ) == true )
Console.WriteLine( "these --- " + output[1]);
else Console.WriteLine( "these --- " + output[0]);
if (search( "their" ) == true )
Console.WriteLine( "their --- " + output[1]);
else Console.WriteLine( "their --- " + output[0]);
if (search( "thaw" ) == true )
Console.WriteLine( "thaw --- " + output[1]);
else Console.WriteLine( "thaw --- " + output[0]);
}
}
|
PHP
<?php
# PHP program for insert and search operation in a Trie
# Trie node class
class TrieNode
{
public $isEnd = false;
public $children = [];
}
class Trie {
# Trie data structure class
public $node = null;
public function __construct()
{
$this ->node = new TrieNode();
}
public function insert( $word )
{
$count = strlen ( $word );
$node = $this ->node;
for ( $i = 0; $i < $count ; $i ++) {
$char = $word [ $i ];
if ( array_key_exists ( $char , $node ->children)) {
$node = $node ->children[ $char ];
continue ;
}
$node ->children[ $char ] = new TrieNode();
$node = $node ->children[ $char ];
}
$node ->isEnd = true;
}
public function search( $word ): bool
{
$count = strlen ( $word );
$node = $this ->node;
for ( $i = 0; $i < $count ; $i ++) {
$char = $word [ $i ];
if (! array_key_exists ( $char , $node ->children)) {
return false;
}
$node = $node ->children[ $char ];
}
return $node ->isEnd;
}
}
$keys = array ( "the" , "a" , "there" , "answer" , "any" , "by" , "their" );
# Trie object
$t = new Trie();
# Constructing trie
foreach ( $keys as $key ) {
$t ->insert( $key );
}
# Searching different words
print ( $t ->search( "the" )==1)?( "the ---- Present in trie\n" )
🙁 "the ---- Not present in trie\n" );
print ( $t ->search( "this" )==1)?( "this ---- Present in trie\n" )
🙁 "this ---- Not present in trie\n" );
print ( $t ->search( "they" )==1)?( "they ---- Present in trie\n" )
🙁 "they ---- Not present in trie\n" );
print ( $t ->search( "thaw" )==1)?( "thaw ---- Present in trie" )
🙁 "thaw ---- Not present in trie" );
# This code is contributed by Sajal Aggarwal.
?>
|
Javascript
<script>
let ALPHABET_SIZE = 26;
class TrieNode
{
constructor()
{
this .isEndOfWord = false ;
this .children = new Array(ALPHABET_SIZE);
for (let i = 0; i < ALPHABET_SIZE; i++)
this .children[i] = null ;
}
}
let root;
function insert(key)
{
let level;
let length = key.length;
let index;
let pCrawl = root;
for (level = 0; level < length; level++)
{
index = key[level].charCodeAt(0) - 'a' .charCodeAt(0);
if (pCrawl.children[index] == null )
pCrawl.children[index] = new TrieNode();
pCrawl = pCrawl.children[index];
}
pCrawl.isEndOfWord = true ;
}
function search(key)
{
let level;
let length = key.length;
let index;
let pCrawl = root;
for (level = 0; level < length; level++)
{
index = key[level].charCodeAt(0) - 'a' .charCodeAt(0);
if (pCrawl.children[index] == null )
return false ;
pCrawl = pCrawl.children[index];
}
return (pCrawl.isEndOfWord);
}
let keys = [ "the" , "a" , "there" , "answer" , "any" ,
"by" , "bye" , "their" ];
let output = [ "Not present in trie" , "Present in trie" ];
root = new TrieNode();
let i;
for (i = 0; i < keys.length ; i++)
insert(keys[i]);
if (search( "the" ) == true )
document.write( "the --- " + output[1]+ "<br>" );
else
document.write( "the --- " + output[0]+ "<br>" );
if (search( "these" ) == true )
document.write( "these --- " + output[1]+ "<br>" );
else
document.write( "these --- " + output[0]+ "<br>" );
if (search( "their" ) == true )
document.write( "their --- " + output[1]+ "<br>" );
else
document.write( "their --- " + output[0]+ "<br>" );
if (search( "thaw" ) == true )
document.write( "thaw --- " + output[1]+ "<br>" );
else
document.write( "thaw --- " + output[0]+ "<br>" );
</script>
|
Outputthe --- Present in trie
these --- Not present in trie
their --- Present in trie
thaw --- Not present in trie
Complexity Analysis of Trie Data Structure:
Operation | Time Complexity | Auxiliary Space |
---|
Insertion | O(n) | O(n*m) |
---|
Searching | O(n) | O(1) |
---|
Related Articles:
Practice Problems:
- Trie Search and Insert
- Trie Delete
- Unique rows in a binary matrix
- Count of distinct substrings
- Word Boggle
Recent Articles on Trie
This article is contributed by Venki. Please write comments if you find anything incorrect, or you want to share more information about the topic discussed above.