4 Types of Trees in Data Structures Explained[2025]
Updated on Mar 07, 2025 | 22 min read | 63.4k views
Share:
For working professionals
For fresh graduates
More
Updated on Mar 07, 2025 | 22 min read | 63.4k views
Share:
Table of Contents
How do computers manage to organize huge amounts of data so quickly? One big answer is the tree data structure. Like a tree in nature, this structure has a root that extends into branches and leaves. This setup makes it easy for computers to search and find data fast.
In simple terms, a data structure is a way to organize and store information. Data structures are the foundation of many computer programs and algorithms. They help create software that’s efficient and easy to work with. You’ll find data structures at work in fields like artificial intelligence and operating systems.
In this article, we’ll explore types of trees in data structure, one of the most popular ways to organize data in a non-linear format. We’ll go over the main types of tree structures, their unique features, and how they’re used in real life.
Check out our free data science courses to get an edge over the competition.
A tree is a data structure that organizes data in a hierarchical form. It consists of nodes connected by edges, which makes it different from linear data structures like arrays or linked lists. Each node contains data and may have child nodes, making it suitable for representing complex relationships. Trees are often seen as "upside-down," with the root at the top and branches growing downward.
Term |
Definition |
Node |
Entity in the tree containing data and possibly child pointers |
Root |
Topmost node without a parent |
Parent |
A node directly connected above another node |
Child |
A node directly connected below another node |
Leaf |
Node with no children (bottom-most nodes) |
Edge |
Connection between two nodes |
Height |
Number of edges from the node to the farthest leaf |
Depth |
Number of edges from the root to a specific node |
Degree |
Number of branches or children of a node |
Subtree |
Any node and its descendants, forming a smaller tree within the main tree |
Forest |
A collection of disjoint trees |
Generation |
Nodes on the same level in the tree hierarchy |
Ancestor |
Any node that exists on the path from the root to a specific node |
Descendant |
Any node that is in the subtree of a specific node |
Sibling |
Nodes that share the same parent |
Levels |
The root node is at level 0, its children are at level 1, and so on |
Trees make it easier to organize data that naturally forms a hierarchy, such as family relationships, organizational structures, or file systems. Here’s a quick example:
Look at the two diagrams below. They both represent family members. If you’re asked, “Who is the father of ‘E’?” or “What’s the relationship between ‘D’ and ‘E’?”, the second diagram makes it clear: ‘B’ is the father of ‘E’, and ‘D’ and ‘E’ are siblings. The first list, however, doesn’t give you any of that information.
This is the same with computers. When data is stored in a clear, hierarchical form, it’s faster and easier to find answers.
Now, let’s review the different types of trees in data structures and see why they’re so useful.
In data structures, trees come in various forms, each with specific properties and applications. Here, we'll discuss four primary types of trees:
Here, we'll discuss four primary types of trees in data structures:
A binary tree is a tree data structure in which each node has a maximum of two children, typically referred to as the left child and the right child. The term "binary" means "two," indicating that each node can have zero, one, or two children. This structure is foundational for other complex tree types like Binary Search Trees (BST), AVL trees, and Red-Black Trees.
In a binary tree:
This structure makes binary trees in data structures highly efficient for organizing and retrieving hierarchical data. Their balance between flexibility and simplicity makes them widely used in computing.
Maximum nodes at level ‘L’:
At any level LLL, a binary tree can have up to 2L2^L2L nodes.
Minimum nodes at height HHH:
The minimum number of nodes in a binary tree of height HHH is H+1H + 1H+1.
Maximum nodes at height HHH:
At height HHH, a binary tree can have a maximum of 2H+1−12^{H+1} - 12H+1−1 nodes.
Total leaf nodes:
Equal to the total nodes with two children plus one.
Search complexity:
In a balanced binary tree, the search complexity is O(logn)O(\log n)O(logn).
Binary trees can be divided into several types based on specific properties:
Perfect Binary Tree:
Every node has exactly two children, and all leaf nodes are at the same level.
Full Binary Tree:
Each parent node has either two or zero children.
Complete Binary Tree:
All levels are completely filled except possibly the last, which is filled from left to right.
Degenerate (Pathological) Binary Tree:
Every internal node has only one child, forming a structure similar to a linked list.
Balanced Binary Tree:
The height difference between the left and right subtrees of every node is 0 or 1.
Consider doing our Python Bootcamp course from upGrad to upskill your career.
Used in machine learning for classification and regression tasks.
Morse Code Representation:
Organized as a binary tree for efficient lookup of dots and dashes.
Binary Expression Trees:
Used to evaluate arithmetic expressions where operators are stored at internal nodes and operands at the leaf nodes.
Below is a Python example of a simple binary tree structure using classes. This example demonstrates how to create nodes and connect them as children.
python
class Node:
def __init__(self, data):
self.data = data
self.left = None
self.right = None
class BinaryTree:
def __init__(self, root):
self.root = Node(root)
# Function to print the binary tree in a structured format
def print_tree(self, node, level=0, prefix="Root: "):
if node is not None:
print(" " * (level * 4) + prefix + str(node.data))
if node.left or node.right: # If the node has any children
if node.left:
self.print_tree(node.left, level + 1, "L--- ")
else:
print(" " * ((level + 1) * 4) + "L--- None")
if node.right:
self.print_tree(node.right, level + 1, "R--- ")
else:
print(" " * ((level + 1) * 4) + "R--- None")
# Building a binary tree
tree = BinaryTree(1)
tree.root.left = Node(2)
tree.root.right = Node(3)
tree.root.left.left = Node(4)
tree.root.left.right = Node(5)
# Printing the tree structure
print("Binary Tree Structure:")
tree.print_tree(tree.root)
In this code:
Here's how the tree structure in the code would look:
markdown
1
/ \
2 3
/ \
4 5
Node 1 (Root):
Node 1 is the root of the tree, the topmost node with no parent. It has two children: node 2 (left child) and node 3 (right child).
Node 2 (Internal Node):
Node 2 is a child of node 1 and itself has two children: node 5 (left child) and node 6 (right child).
Node 3 (Leaf Node):
Node 3 is the right child of node 1. It has no children, so its left and right pointers are set to NULL, making it a leaf node.
Nodes 5 and 6 (Leaf Nodes):
Node 5 and node 6 are the children of node 2. Both are leaf nodes, meaning they have no children, so their left and right pointers are also set to NULL.
To visualize or traverse the binary tree, we could use a simple traversal method. For example, performing an in-order traversal would visit nodes in the following order: 4, 2, 5, 1, 3.
python
# In-order traversal function
def in_order_traversal(node):
if node:
in_order_traversal(node.left) # Visit left subtree
print(node.data, end=" ") # Visit root node
in_order_traversal(node.right) # Visit right subtree
# Output the in-order traversal
print("In-order Traversal of the Tree:")
in_order_traversal(tree.root)
Expected Output:
4 2 5 1 3
In this traversal:
We first visit the left subtree, then the root node, and finally, the right subtree.
The output order (4, 2, 5, 1, 3) matches the in-order traversal sequence, showcasing how the binary tree is structured.
A Binary Search Tree (BST) is one of the fundamental types of trees in data structure, designed for efficient data storage, retrieval, and searching.
In a BST, each node’s left child contains values smaller than the node itself, while the right child contains values greater than or equal to the node. This ordering enables fast search, insertion, and deletion operations, making BSTs popular for applications where sorted data management is needed.
In essence, the BST structure allows for a divide-and-conquer approach to searching, where each decision (left or right) narrows down the possible locations of a target value, resulting in a search time complexity of O(logn)O(\log n)O(logn) for balanced trees.
Left Subtree Rule: All nodes in the left subtree of a node have values smaller than the node’s value.
Right Subtree Rule: All nodes in the right subtree have values greater than or equal to the node’s value.
Recursive Structure: The left and right subtrees of each node are also binary search trees, following the same ordering rules.
Sorted Data Storage:
BSTs efficiently store data in a sorted manner, allowing quick insertion, search, and deletion.
Frequency Counters:
Useful for counting and storing elements in a sorted way, such as counting occurrences of words or items.
Game Guessing:
Ideal for guessing games where the process involves narrowing down a range of possibilities (e.g., "Guess the Number" games).
Here’s a simple Java implementation of a Binary Search Tree with basic insertion and search methods:
java
class Node {
int data;
Node left, right;
public Node(int item) {
data = item;
left = right = null;
}
}
class BinarySearchTree {
Node root;
// Insert a new node with a given key
void insert(int data) {
root = insertRec(root, data);
}
// Recursive insert function
Node insertRec(Node root, int data) {
// If the tree is empty, create a new node
if (root == null) {
root = new Node(data);
return root;
}
// Recursively insert data into left or right subtree
if (data < root.data) {
root.left = insertRec(root.left, data);
} else if (data >= root.data) {
root.right = insertRec(root.right, data);
}
return root;
}
// Search for a key in the BST
boolean search(int key) {
return searchRec(root, key);
}
// Recursive search function
boolean searchRec(Node root, int key) {
// Base case: root is null or key is at root
if (root == null || root.data == key) {
return root != null;
}
// Key is less than root’s data
if (key < root.data) {
return searchRec(root.left, key);
}
// Key is greater than root’s data
return searchRec(root.right, key);
}
}
// Example usage
public class Main {
public static void main(String[] args) {
BinarySearchTree bst = new BinarySearchTree();
// Insert nodes
bst.insert(50);
bst.insert(30);
bst.insert(70);
bst.insert(20);
bst.insert(40);
bst.insert(60);
bst.insert(80);
// Search for a value
System.out.println("Is 40 in the BST? " + bst.search(40)); // Output: true
System.out.println("Is 90 in the BST? " + bst.search(90)); // Output: false
}
}
Node Class:
Defines the structure of a single node in the BST, with data, left, and right attributes.
BinarySearchTree Class:
Contains methods for inserting and searching nodes.
Insert Method:
The insert method adds a new node in the appropriate location by recursively comparing values.
Search Method:
The search method checks if a value exists in the BST by recursively traversing left or right based on comparisons.
Main Class:
Demonstrates how to create a BST, insert nodes, and perform searches.
After inserting the values in the code example, the BST structure will look like this:
markdown
50
/ \
30 70
/ \ / \
20 40 60 80
Root Node (50):
The first value inserted, 50, becomes the root of the tree. It is the highest point in the hierarchy, with no parent node.
This root node serves as the reference point for the organization of all other nodes.
Left Subtree:
Values less than 50 are placed in the left subtree, maintaining the BST property.
Node 30 is the left child of the root (50) and serves as the parent to nodes 20 and 40:
20: Placed in the left subtree of 30 since it is less than 30.
40: Placed in the right subtree of 30 because it is greater than 30 but still less than 50.
Right Subtree:
Values greater than or equal to 50 are placed in the right subtree, following the BST rules.
Node 70 is the right child of the root (50) and is the parent of nodes 60 and 80:
60: Placed in the left subtree of 70 because it is less than 70 but greater than 50.
80: Placed in the right subtree of 70 as it is greater than both 70 and 50.
Must read: Excel online course free!
When running the code:
bst.search(40) returns true because 40 is in the tree.
bst.search(90) returns false because 90 is not in the tree.
An AVL Tree is a self-balancing variant of a Binary Search Tree (BST) named after its inventors, Adelson-Velsky and Landis, and one of the significant types of trees in data structure.
In an AVL tree, the height difference (or balance factor) between the left and right subtrees of any node is kept to a maximum of one. This balancing ensures that the tree remains efficient for search, insert, and delete operations, with a time complexity of O(logn)O(\log n)O(logn).
The AVL tree is unique as it was the first dynamically balanced tree structure, meaning it automatically adjusts itself to maintain balance through rotations whenever nodes are inserted or deleted. This balance keeps operations fast, especially in cases of frequent data manipulation.
Balance Factor:
The difference in height between the left and right subtrees of a node.
Calculated as
Balance Factor = Height of Left Subtree – Height of Right Subtree
Balance Factor Values:
The balance factor for each node can be -1, 0, or +1.
-1: Right subtree is one level higher than the left subtree.
0: Left and right subtrees are of equal height.
+1: Left subtree is one level higher than the right subtree.
Height Control with Rotations:
If an imbalance occurs (balance factor becomes outside the range -1 to 1), rotations (single or double) are performed to restore balance.
In-Memory Databases:
AVL trees efficiently organize data in-memory for fast access.
Set and Dictionary Operations:
Useful in applications requiring frequent insertions, deletions, and lookups, as they maintain sorted data in a balanced form.
Here's a C++ implementation of an AVL Tree with insertion and rotation methods to maintain balance.
cpp
#include <iostream>
using namespace std;
// Node class for AVL Tree
class Node {
public:
int data;
Node* left;
Node* right;
int height;
Node(int value) {
data = value;
left = right = nullptr;
height = 1;
}
};
// Helper function to get the height of a node
int getHeight(Node* node) {
return (node == nullptr) ? 0 : node->height;
}
// Helper function to get the balance factor of a node
int getBalanceFactor(Node* node) {
return (node == nullptr) ? 0 : getHeight(node->left) - getHeight(node->right);
}
// Rotate right
Node* rotateRight(Node* y) {
Node* x = y->left;
Node* T2 = x->right;
// Perform rotation
x->right = y;
y->left = T2;
// Update heights
y->height = max(getHeight(y->left), getHeight(y->right)) + 1;
x->height = max(getHeight(x->left), getHeight(x->right)) + 1;
return x;
}
// Rotate left
Node* rotateLeft(Node* x) {
Node* y = x->right;
Node* T2 = y->left;
// Perform rotation
y->left = x;
x->right = T2;
// Update heights
x->height = max(getHeight(x->left), getHeight(x->right)) + 1;
y->height = max(getHeight(y->left), getHeight(y->right)) + 1;
return y;
}
// Insert function with balancing
Node* insert(Node* node, int key) {
// Perform standard BST insertion
if (node == nullptr)
return new Node(key);
if (key < node->data)
node->left = insert(node->left, key);
else if (key > node->data)
node->right = insert(node->right, key);
else // Duplicate keys not allowed
return node;
// Update height of this ancestor node
node->height = 1 + max(getHeight(node->left), getHeight(node->right));
// Get balance factor to check if this node is unbalanced
int balance = getBalanceFactor(node);
// Left Left Case
if (balance > 1 && key < node->left->data)
return rotateRight(node);
// Right Right Case
if (balance < -1 && key > node->right->data)
return rotateLeft(node);
// Left Right Case
if (balance > 1 && key > node->left->data) {
node->left = rotateLeft(node->left);
return rotateRight(node);
}
// Right Left Case
if (balance < -1 && key < node->right->data) {
node->right = rotateRight(node->right);
return rotateLeft(node);
}
return node; // Return the unchanged node pointer
}
// In-order traversal
void inOrder(Node* root) {
if (root != nullptr) {
inOrder(root->left);
cout << root->data << " ";
inOrder(root->right);
}
}
// Main function to demonstrate AVL Tree
int main() {
Node* root = nullptr;
root = insert(root, 10);
root = insert(root, 20);
root = insert(root, 30);
root = insert(root, 40);
root = insert(root, 50);
root = insert(root, 25);
cout << "In-order traversal of the AVL tree is: ";
inOrder(root);
cout << endl;
return 0;
}
Must read: Data structures and algorithm free!
Node Class:
Each node contains data, pointers to left and right children, and height to keep track of the node’s level in the tree.
Rotation Functions:
rotateRight():
Rotates the subtree to the right to reduce imbalance.
rotateLeft():
Rotates the subtree to the left to reduce imbalance.
Insertion with Balancing:
The insert function inserts nodes as in a regular BST.
After insertion, it checks the balance factor to determine if rotations are needed to balance the tree.
In-order Traversal:
inOrder() function displays the AVL tree in sorted order to confirm the structure.
After inserting nodes (10, 20, 30, 40, 50, 25) in the above order, the AVL Tree structure will balance itself to maintain efficiency:
markdown
30
/ \
20 40
/ \ \
10 25 50
Inserting 10, 20, and 30:
Initially, the nodes 10 and 20 are inserted without any need for rotation.
However, upon inserting 30, the tree becomes unbalanced, with 10 as the root and a left-heavy structure.
To restore balance, a left rotation is applied at node 10, rotating the tree around node 20. This moves 20 to the root, with 10 as its left child and 30 as its right child.
Inserting 40 and 50:
Inserting 40 causes no imbalance, as it becomes the right child of 30.
When 50 is inserted as the right child of 40, the tree becomes right-heavy (since node 30 now has a balance factor greater than 1).
To rebalance, a right rotation is performed at node 30, making 40 the new root for that subtree.
Inserting 25:
Inserting 25 into the left subtree of 30 introduces a left-right imbalance.
To address this, a left rotation is first applied at 20, bringing 25 up as the right child of 20.
Then, a right rotation is performed at 30, which repositions 30 as the new root and maintains balance in the AVL Tree.
The in-order traversal of the AVL tree will display the elements in sorted order:
swift
In-order traversal of the AVL tree
10 20 25 30 40 50
upGrad’s Exclusive Data Science Webinar for you –
ODE Thought Leadership Presentation
A B-Tree is a self-balancing search tree that generalizes the Binary Search Tree (BST). Unlike BSTs, each node in a B-Tree can contain multiple keys and have multiple children, making B-Trees highly efficient for handling large datasets. As one of the important types of trees in data structure, B-Trees are widely used in database indexing and file systems, maintaining balance and reducing tree height to optimize access times, especially in disk-based storage.
In B-Trees:
Order (m):
Defines the maximum number of children each node can have. A B-Tree of order m can have at most m children per node.
Minimum Children:
Every node (except the root) has at least m/2 children.
Root Node:
The root must have at least two children if it is not a leaf.
Keys per Node:
Each internal node can hold up to m-1 keys, which divide the node’s children.
Leaf Nodes:
All leaf nodes are at the same level, ensuring that the tree is balanced.
Multi-Level Indexing:
B-Trees use multi-level indexing, allowing quick access across large datasets with fewer disk reads.
Database Indexing:
B-Trees organize data in databases for efficient access, even with large data sets.
File Systems:
Used to manage files and directories in an optimized hierarchical structure, allowing fast data retrieval.
Multilevel Indexing:
B-Trees store keys to improve search speeds across vast datasets, making them ideal for applications requiring frequent lookups.
Below is a Java implementation demonstrating B-Tree insertion, focusing on managing multiple keys and ensuring balance.
java
class BTreeNode {
int[] keys; // Array to store keys
int degree; // Minimum degree (defines the range for number of children)
BTreeNode[] children; // Array of child pointers
int numKeys; // Current number of keys
boolean isLeaf; // Is true when the node is a leaf
// Constructor
public BTreeNode(int degree, boolean isLeaf) {
this.degree = degree;
this.isLeaf = isLeaf;
this.keys = new int[2 * degree - 1]; // Maximum keys a node can hold
this.children = new BTreeNode[2 * degree]; // Maximum children a node can have
this.numKeys = 0;
}
// Insert a new key in the subtree rooted with this node
public void insertNonFull(int key) {
int i = numKeys - 1;
// If this node is a leaf, insert key directly
if (isLeaf) {
while (i >= 0 && keys[i] > key) {
keys[i + 1] = keys[i];
i--;
}
keys[i + 1] = key;
numKeys++;
} else { // Node is not a leaf
while (i >= 0 && keys[i] > key) {
i--;
}
i++;
if (children[i].numKeys == 2 * degree - 1) {
splitChild(i, children[i]);
if (keys[i] < key) {
i++;
}
}
children[i].insertNonFull(key);
}
}
// Split the child node at the given index
public void splitChild(int i, BTreeNode y) {
BTreeNode z = new BTreeNode(y.degree, y.isLeaf);
z.numKeys = degree - 1;
for (int j = 0; j < degree - 1; j++) {
z.keys[j] = y.keys[j + degree];
}
if (!y.isLeaf) {
for (int j = 0; j < degree; j++) {
z.children[j] = y.children[j + degree];
}
}
y.numKeys = degree - 1;
for (int j = numKeys; j >= i + 1; j--) {
children[j + 1] = children[j];
}
children[i + 1] = z;
for (int j = numKeys - 1; j >= i; j--) {
keys[j + 1] = keys[j];
}
keys[i] = y.keys[degree - 1];
numKeys++;
}
}
class BTree {
BTreeNode root;
int degree;
public BTree(int degree) {
this.root = null;
this.degree = degree;
}
// Function to insert a new key in this B-Tree
public void insert(int key) {
if (root == null) {
root = new BTreeNode(degree, true);
root.keys[0] = key;
root.numKeys = 1;
} else {
if (root.numKeys == 2 * degree - 1) {
BTreeNode s = new BTreeNode(degree, false);
s.children[0] = root;
s.splitChild(0, root);
int i = 0;
if (s.keys[0] < key) {
i++;
}
s.children[i].insertNonFull(key);
root = s;
} else {
root.insertNonFull(key);
}
}
}
// Simple method to print the tree structure (in-order traversal)
public void print() {
if (root != null) {
print(root);
}
}
private void print(BTreeNode node) {
int i;
for (i = 0; i < node.numKeys; i++) {
if (!node.isLeaf) {
print(node.children[i]);
}
System.out.print(node.keys[i] + " ");
}
if (!node.isLeaf) {
print(node.children[i]);
}
}
}
// Main class to demonstrate the B-Tree
public class Main {
public static void main(String[] args) {
BTree btree = new BTree(3); // B-Tree of order 3
// Insert keys
btree.insert(10);
btree.insert(20);
btree.insert(5);
btree.insert(6);
btree.insert(12);
btree.insert(30);
btree.insert(7);
btree.insert(17);
System.out.println("B-Tree in-order traversal:");
btree.print(); // Expected Output: 5 6 7 10 12 17 20 30
}
}
BTreeNode Class:
Represents a single node in the B-Tree.
BTree Class:
Manages the overall B-Tree structure.
Main Class:
Demonstrates how to create a B-Tree of order 3, insert keys, and display the tree structure.
The in-order traversal of the B-Tree after inserting the values will look like this:
css
B-Tree in-order traversal:
5 6 7 10 12 17 20 30
Tree data structures are practical and widely used across different fields. Their hierarchical nature makes them ideal for organizing information efficiently. Different types of trees in data structure serve specific purposes, such as indexing in databases, optimizing searches, and managing hierarchical data structures in computing.
Here are some common uses:
Application |
How Trees Are Used |
File System Organization |
Trees organize files and folders on computers. Each folder can hold other folders and files, creating a clear path that helps us find files quickly. This structure lets users easily navigate through directories by following a logical “tree” path. |
Webpage Layout (HTML DOM) |
The layout of a webpage is structured as a tree. In HTML, each element (like a header, paragraph, or image) is a “node” in a tree, and nested elements are child nodes. This tree structure allows easy access and changes to webpage elements, enabling updates to content on the page. |
Database Indexing |
Trees, especially B-Trees and B+ Trees, help organize data in databases, making it faster to search and retrieve information. With large amounts of data, these trees keep data organized so that finding, adding, or deleting entries is efficient and manageable. |
Expression Evaluation |
Trees are used to evaluate mathematical or logical expressions. Binary Expression Trees store operators (like +, -, *) as parent nodes, while numbers or variables are leaf nodes. This makes it easy to evaluate expressions in the right order by following the tree structure. |
Routing Algorithms |
Trees help optimize routes in networks. Shortest Path Trees and Spanning Trees find the best paths for data to travel, reducing delays and improving network efficiency. These trees are useful in managing internet connections and ensuring data flows smoothly across the network. |
Fast-Track Your Journey in Data Science!
Top Data Science Roles in Demand
Competitive Salary Outlook
Skills You’ll Master with upGrad
Why upGrad?
CTA: Ready to excel in data science? Enroll with upGrad today!
Transform your passion for data into a successful career with our top-rated Data Science courses, offering hands-on experience and industry-relevant skills.
Stay informed and inspired with our popular Data Science articles, featuring the latest trends, expert insights, and practical tips for aspiring data professionals.
Enhance your career by mastering top Data Science skills, from machine learning to data visualization, and stay ahead in the fast-evolving tech landscape.
Get Free Consultation
By submitting, I accept the T&C and
Privacy Policy
Start Your Career in Data Science Today
Top Resources