Skip to content
geeksforgeeks
  • Tutorials
    • Python
    • Java
    • Data Structures & Algorithms
    • ML & Data Science
    • Interview Corner
    • Programming Languages
    • Web Development
    • CS Subjects
    • DevOps And Linux
    • School Learning
    • Practice Coding Problems
  • Courses
    • DSA to Development
    • Get IBM Certification
    • Newly Launched!
      • Master Django Framework
      • Become AWS Certified
    • For Working Professionals
      • Interview 101: DSA & System Design
      • Data Science Training Program
      • JAVA Backend Development (Live)
      • DevOps Engineering (LIVE)
      • Data Structures & Algorithms in Python
    • For Students
      • Placement Preparation Course
      • Data Science (Live)
      • Data Structure & Algorithm-Self Paced (C++/JAVA)
      • Master Competitive Programming (Live)
      • Full Stack Development with React & Node JS (Live)
    • Full Stack Development
    • Data Science Program
    • All Courses
  • DSA
  • Interview Problems on Heap
  • Practice Heap
  • MCQs on Heap
  • Heap Tutorial
  • Binary Heap
  • Building Heap
  • Binomial Heap
  • Fibonacci Heap
  • Heap Sort
  • Heap vs Tree
  • Leftist Heap
  • K-ary Heap
  • Advantages & Disadvantages
Open In App
Next Article:
K-ary Heap
Next article icon

Leftist Tree / Leftist Heap

Last Updated : 15 Feb, 2024
Comments
Improve
Suggest changes
Like Article
Like
Report

INTRODUCTION:

A leftist tree, also known as a leftist heap, is a type of binary heap data structure used for implementing priority queues. Like other heap data structures, it is a complete binary tree, meaning that all levels are fully filled except possibly the last level, which is filled from left to right.

  1. In a leftist tree, the priority of the node is determined by its key value, and the node with the smallest key value is designated as the root node. The left subtree of a node in a leftist tree is always larger than the right subtree, based on the number of nodes in each subtree. This is known as the "leftist property."
  2. One of the key features of a leftist tree is the calculation and maintenance of the "null path length" of each node, which is defined as the distance from the node to the nearest null (empty) child. The root node of a leftist tree has the shortest null path length of any node in the tree.
  3. The main operations performed on a leftist tree include insert, extract-min and merge. The insert operation simply adds a new node to the tree, while the extract-min operation removes the root node and updates the tree structure to maintain the leftist property. The merge operation combines two leftist trees into a single leftist tree by linking the root nodes and maintaining the leftist property.

In summary, a leftist tree is a type of binary heap data structure used for implementing priority queues. Its key features include the leftist property, which ensures that the left subtree of a node is always larger than the right subtree, and the calculation and maintenance of the null path length, which is used to maintain the efficiency of operations such as extract-min and merge.

A leftist tree or leftist heap is a priority queue implemented with a variant of a binary heap. Every node has an s-value (or rank or distance) which is the distance to the nearest leaf. In contrast to a binary heap (Which is always a complete binary tree), a leftist tree may be very unbalanced. Below are time complexities of Leftist Tree / Heap.

  Function       Complexity              Comparison
1) Get Min: O(1) [same as both Binary and Binomial]
2) Delete Min: O(Log n) [same as both Binary and Binomial]
3) Insert: O(Log n) [O(Log n) in Binary and O(1) in
Binomial and O(Log n) for worst case]
4) Merge: O(Log n) [O(Log n) in Binomial]

A leftist tree is a binary tree with properties:

  1. Normal Min Heap Property : key(i) >= key(parent(i))
  2. Heavier on left side : dist(right(i)) <= dist(left(i)). Here, dist(i) is the number of edges on the shortest path from node i to a leaf node in extended binary tree representation (In this representation, a null child is considered as external or leaf node). The shortest path to a descendant external node is through the right child. Every subtree is also a leftist tree and dist( i ) = 1 + dist( right( i ) ).

Example: The below leftist tree is presented with its distance calculated for each node with the procedure mentioned above. The rightmost node has a rank of 0 as the right subtree of this node is null and its parent has a distance of 1 by dist( i ) = 1 + dist( right( i )). The same is followed for each node and their s-value( or rank) is calculated. 

lt1

 From above second property, we can draw two conclusions :

  1. The path from root to rightmost leaf is the shortest path from root to a leaf.
  2. If the path to rightmost leaf has x nodes, then leftist heap has atleast 2x - 1 nodes. This means the length of path to rightmost leaf is O(log n) for a leftist heap with n nodes.

Operations : 

  1. The main operation is merge().
  2. deleteMin() (or extractMin() can be done by removing root and calling merge() for left and right subtrees.
  3. insert() can be done be create a leftist tree with single key (key to be inserted) and calling merge() for given tree and tree with single node.

Idea behind Merging : Since right subtree is smaller, the idea is to merge right subtree of a tree with other tree. Below are abstract steps.

  1. Put the root with smaller value as the new root.
  2. Hang its left subtree on the left.
  3. Recursively merge its right subtree and the other tree.
  4. Before returning from recursion: – Update dist() of merged root. – Swap left and right subtrees just below root, if needed, to keep leftist property of merged result

Detailed Steps for Merge:

  1. Compare the roots of two heaps.
  2. Push the smaller key into an empty stack, and move to the right child of smaller key.
  3. Recursively compare two keys and go on pushing the smaller key onto the stack and move to its right child.
  4. Repeat until a null node is reached.
  5. Take the last node processed and make it the right child of the node at top of the stack, and convert it to leftist heap if the properties of leftist heap are violated.
  6. Recursively go on popping the elements from the stack and making them the right child of new stack top.

Example: Consider two leftist heaps given below: 

2

 Merge them into a single leftist heap 

3

 The subtree at node 7 violates the property of leftist heap so we swap it with the left child and retain the property of leftist heap. 

4

 Convert to leftist heap. Repeat the process 

5

6

 The worst case time complexity of this algorithm is O(log n) in the worst case, where n is the number of nodes in the leftist heap. Another example of merging two leftist heap: 

lt9

Implementation of leftist Tree / leftist Heap: 

CPP
//C++ program for leftist heap / leftist tree #include <bits/stdc++.h> using namespace std;  // Node Class Declaration class LeftistNode { public:     int element;     LeftistNode *left;     LeftistNode *right;     int dist;     LeftistNode(int & element, LeftistNode *lt = NULL,                 LeftistNode *rt = NULL, int np = 0)     {         this->element = element;         right = rt;         left = lt,         dist = np;     } };  //Class Declaration class LeftistHeap { public:     LeftistHeap();     LeftistHeap(LeftistHeap &rhs);     ~LeftistHeap();     bool isEmpty();     bool isFull();     int &findMin();     void Insert(int &x);     void deleteMin();     void deleteMin(int &minItem);     void makeEmpty();     void Merge(LeftistHeap &rhs);     LeftistHeap & operator =(LeftistHeap &rhs); private:     LeftistNode *root;     LeftistNode *Merge(LeftistNode *h1,                     LeftistNode *h2);     LeftistNode *Merge1(LeftistNode *h1,                         LeftistNode *h2);     void swapChildren(LeftistNode * t);     void reclaimMemory(LeftistNode * t);     LeftistNode *clone(LeftistNode *t); };  // Construct the leftist heap LeftistHeap::LeftistHeap() {     root = NULL; }  // Copy constructor. LeftistHeap::LeftistHeap(LeftistHeap &rhs) {     root = NULL;     *this = rhs; }  // Destruct the leftist heap LeftistHeap::~LeftistHeap() {     makeEmpty( ); }  /* Merge rhs into the priority queue. rhs becomes empty. rhs must be different from this.*/ void LeftistHeap::Merge(LeftistHeap &rhs) {     if (this == &rhs)         return;     root = Merge(root, rhs.root);     rhs.root = NULL; }  /* Internal method to merge two roots. Deals with deviant cases and calls recursive Merge1.*/ LeftistNode *LeftistHeap::Merge(LeftistNode * h1,                                 LeftistNode * h2) {     if (h1 == NULL)         return h2;     if (h2 == NULL)         return h1;     if (h1->element < h2->element)         return Merge1(h1, h2);     else         return Merge1(h2, h1); }  /* Internal method to merge two roots. Assumes trees are not empty, and h1's root contains smallest item.*/ LeftistNode *LeftistHeap::Merge1(LeftistNode * h1,                                 LeftistNode * h2) {     if (h1->left == NULL)         h1->left = h2;     else     {         h1->right = Merge(h1->right, h2);         if (h1->left->dist < h1->right->dist)             swapChildren(h1);         h1->dist = h1->right->dist + 1;     }     return h1; }  // Swaps t's two children. void LeftistHeap::swapChildren(LeftistNode * t) {     LeftistNode *tmp = t->left;     t->left = t->right;     t->right = tmp; }  /* Insert item x into the priority queue, maintaining heap order.*/ void LeftistHeap::Insert(int &x) {     root = Merge(new LeftistNode(x), root); }  /* Find the smallest item in the priority queue. Return the smallest item, or throw Underflow if empty.*/ int &LeftistHeap::findMin() {     return root->element; }  /* Remove the smallest item from the priority queue. Throws Underflow if empty.*/ void LeftistHeap::deleteMin() {     LeftistNode *oldRoot = root;     root = Merge(root->left, root->right);     delete oldRoot; }  /* Remove the smallest item from the priority queue. Pass back the smallest item, or throw Underflow if empty.*/ void LeftistHeap::deleteMin(int &minItem) {     if (isEmpty())     {         cout<<"Heap is Empty"<<endl;         return;     }     minItem = findMin();     deleteMin(); }  /* Test if the priority queue is logically empty. Returns true if empty, false otherwise*/ bool LeftistHeap::isEmpty() {     return root == NULL; }  /* Test if the priority queue is logically full. Returns false in this implementation.*/ bool LeftistHeap::isFull() {     return false; }  // Make the priority queue logically empty void LeftistHeap::makeEmpty() {     reclaimMemory(root);     root = NULL; }  // Deep copy LeftistHeap &LeftistHeap::operator =(LeftistHeap & rhs) {     if (this != &rhs)     {         makeEmpty();         root = clone(rhs.root);     }     return *this; }  // Internal method to make the tree empty. void LeftistHeap::reclaimMemory(LeftistNode * t) {     if (t != NULL)     {         reclaimMemory(t->left);         reclaimMemory(t->right);         delete t;     } }  // Internal method to clone subtree. LeftistNode *LeftistHeap::clone(LeftistNode * t) {     if (t == NULL)         return NULL;     else         return new LeftistNode(t->element, clone(t->left),                             clone(t->right), t->dist); }  //Driver program int main() {     LeftistHeap h;     LeftistHeap h1;     LeftistHeap h2;     int x;     int arr[]= {1, 5, 7, 10, 15};     int arr1[]= {22, 75};      h.Insert(arr[0]);     h.Insert(arr[1]);     h.Insert(arr[2]);     h.Insert(arr[3]);     h.Insert(arr[4]);     h1.Insert(arr1[0]);     h1.Insert(arr1[1]);      h.deleteMin(x);     cout<< x <<endl;      h1.deleteMin(x);     cout<< x <<endl;      h.Merge(h1);     h2 = h;      h2.deleteMin(x);     cout<< x << endl;      return 0; } 
Java
import java.util.*;  // Node class for Leftist Heap class LeftistNode {     int element, dist; // Node elements and distance     LeftistNode left, right; // Left and right child of a node      // Constructor for LeftistNode     public LeftistNode(int element) {         this(element, null, null);     }      // Constructor for LeftistNode     public LeftistNode(int element, LeftistNode left, LeftistNode right) {         this.element = element;         this.left = left;         this.right = right;         this.dist = 0;     } }  // Class for Leftist Heap class LeftistHeap {     private LeftistNode root; // Root of the Leftist Heap      // Constructor for LeftistHeap     public LeftistHeap() {         root = null;     }      // Check if heap is empty     public boolean isEmpty() {         return root == null;     }      // Make heap empty     public void makeEmpty() {         root = null;     }      // Insert an element into heap     public void insert(int x) {         root = merge(new LeftistNode(x), root);     }      // Delete and return the minimum element from heap     public int deleteMin() {         if (isEmpty())             throw new NoSuchElementException();         int minItem = root.element;         root = merge(root.left, root.right);         return minItem;     }      // Merge two heaps     private LeftistNode merge(LeftistNode x, LeftistNode y) {         if (x == null)             return y;         if (y == null)             return x;         if (x.element > y.element) {             LeftistNode temp = x;             x = y;             y = temp;         }          x.right = merge(x.right, y);          if (x.left == null) {             x.left = x.right;             x.right = null;         } else {             if (x.left.dist < x.right.dist) {                 LeftistNode temp = x.left;                 x.left = x.right;                 x.right = temp;             }             x.dist = x.right.dist + 1;         }         return x;     }      // Merge current heap with another heap     public void merge(LeftistHeap rhs) {         if (this == rhs)             return;         root = merge(root, rhs.root);         rhs.root = null;     } }  // Main class public class Main {     public static void main(String[] args) {         int[] arr = {1, 5, 7, 10, 15};         int[] arr1 = {22, 75};          LeftistHeap h = new LeftistHeap();         LeftistHeap h1 = new LeftistHeap();         LeftistHeap h2;          // Insert elements into heaps         for (int i : arr)             h.insert(i);         for (int i : arr1)             h1.insert(i);          // Delete minimum elements and print them         System.out.println(h.deleteMin());         System.out.println(h1.deleteMin());          // Merge two heaps         h.merge(h1);         h2 = h;          System.out.println(h2.deleteMin());     } } 
Python
class LeftistNode:     def __init__(self, element, lt=None, rt=None, dist=0):         self.element = element         self.left = lt         self.right = rt         self.dist = dist  class LeftistHeap:     def __init__(self):         self.root = None      # Merge two heaps preserving leftist property     def merge(self, h1, h2):         if not h1:             return h2         if not h2:             return h1         if h1.element < h2.element:             return self.merge1(h1, h2)         else:             return self.merge1(h2, h1)      # Merge h2 into h1, assumes h1's root element is smaller     def merge1(self, h1, h2):         if not h1.left:             h1.left = h2         else:             h1.right = self.merge(h1.right, h2)             if h1.left.dist < h1.right.dist:                 self.swap_children(h1)             h1.dist = h1.right.dist + 1         return h1      # Swap children of a node     def swap_children(self, t):         t.left, t.right = t.right, t.left      # Insert an element into the heap     def insert(self, x):         self.root = self.merge(LeftistNode(x), self.root)      # Find the minimum element in the heap     def find_min(self):         if self.root:             return self.root.element         else:             raise Exception("Heap is empty")      # Delete the minimum element from the heap     def delete_min(self):         if self.root:             old_root = self.root             self.root = self.merge(self.root.left, self.root.right)             return old_root.element         else:             raise Exception("Heap is empty")      # Check if the heap is empty     def is_empty(self):         return self.root is None      # Make the heap logically empty     def make_empty(self):         self.root = None  def main():     h = LeftistHeap()     h1 = LeftistHeap()     h2 = LeftistHeap()     arr = [1, 5, 7, 10, 15]     arr1 = [22, 75]      # Insert elements into h and h1     for item in arr:         h.insert(item)      for item in arr1:         h1.insert(item)      # Delete and print minimum elements from h and h1     x = h.delete_min()     print(x)      x = h1.delete_min()     print(x)      # Merge h and h1 into h2     h2.root = h.merge(h.root, h1.root)      # Delete and print minimum element from h2     x = h2.delete_min()     print(x)  if __name__ == "__main__":     main() 
C#
using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks;  namespace LeftistHeap {     class LeftistNode     {         public int element;         public LeftistNode left;         public LeftistNode right;         public int dist;          public LeftistNode(int element, LeftistNode lt = null, LeftistNode rt = null, int dist = 0)         {             this.element = element;             this.left = lt;             this.right = rt;             this.dist = dist;         }     }      class LeftistHeap     {         public LeftistNode root;          public LeftistHeap()         {             this.root = null;         }          // Merge two heaps preserving leftist property         public LeftistNode merge(LeftistNode h1, LeftistNode h2)         {             if (h1 == null)             {                 return h2;             }             if (h2 == null)             {                 return h1;             }             if (h1.element < h2.element)             {                 return merge1(h1, h2);             }             else             {                 return merge1(h2, h1);             }         }          // Merge h2 into h1, assumes h1's root element is smaller         public LeftistNode merge1(LeftistNode h1, LeftistNode h2)         {             if (h1.left == null)             {                 h1.left = h2;             }             else             {                 h1.right = merge(h1.right, h2);                 if (h1.left.dist < h1.right.dist)                 {                     swap_children(h1);                 }                 h1.dist = h1.right.dist + 1;             }             return h1;         }          // Swap children of a node         public void swap_children(LeftistNode t)         {             LeftistNode temp = t.left;             t.left = t.right;             t.right = temp;         }          // Insert an element into the heap         public void insert(int x)         {             this.root = merge(new LeftistNode(x), this.root);         }          // Find the minimum element in the heap         public int find_min()         {             if (this.root != null)             {                 return this.root.element;             }             else             {                 throw new Exception("Heap is empty");             }         }          // Delete the minimum element from the heap         public int delete_min()         {             if (this.root != null)             {                 int old_root = this.root.element;                 this.root = merge(this.root.left, this.root.right);                 return old_root;             }             else             {                 throw new Exception("Heap is empty");             }         }          // Check if the heap is empty         public bool is_empty()         {             return this.root == null;         }          // Make the heap logically empty         public void make_empty()         {             this.root = null;         }     }      class Program     {         static void Main(string[] args)         {             LeftistHeap h = new LeftistHeap();             LeftistHeap h1 = new LeftistHeap();             LeftistHeap h2 = new LeftistHeap();             int[] arr = { 1, 5, 7, 10, 15 };             int[] arr1 = { 22, 75 };              // Insert elements into h and h1             foreach (int item in arr)             {                 h.insert(item);             }              foreach (int item in arr1)             {                 h1.insert(item);             }              // Delete and print minimum elements from h and h1             int x = h.delete_min();             Console.WriteLine(x);              x = h1.delete_min();             Console.WriteLine(x);              // Merge h and h1 into h2             h2.root = h.merge(h.root, h1.root);              // Delete and print minimum element from h2             x = h2.delete_min();             Console.WriteLine(x);         }     } } 
JavaScript
class LeftistNode {     constructor(element, lt = null, rt = null, np = 0) {         this.element = element; // The element stored in the node         this.left = lt; // Reference to the left child node         this.right = rt; // Reference to the right child node         this.dist = np; // Distance value used in leftist heap property     } }  class LeftistHeap {     constructor() {         this.root = null; // Initialize the root of the leftist heap     }      // Merge two leftist heaps h1 and h2     merge(h1, h2) {         if (!h1) return h2; // If h1 is empty, return h2         if (!h2) return h1; // If h2 is empty, return h1         if (h1.element < h2.element) return this.merge1(h1, h2); // Call merge1 with h1 as root         else return this.merge1(h2, h1); // Call merge1 with h2 as root     }      // Merge h2 into h1     merge1(h1, h2) {         if (!h1.left) h1.left = h2; // If h1 doesn't have a left child, make h2 its left child         else {             // Otherwise, recursively merge the right subtree of h1 with h2             h1.right = this.merge(h1.right, h2);             // Ensure leftist heap property: if left child's distance is less than right child's distance, swap them             if (h1.left.dist < h1.right.dist) this.swapChildren(h1);             // Update the distance of h1             h1.dist = h1.right.dist + 1;         }         return h1; // Return the merged heap     }      // Swap the left and right children of a node     swapChildren(t) {         const tmp = t.left;         t.left = t.right;         t.right = tmp;     }      // Insert an element into the leftist heap     insert(x) {         this.root = this.merge(new LeftistNode(x), this.root);     }      // Find the minimum element in the leftist heap     findMin() {         if (!this.root) throw new Error('Heap is empty');         return this.root.element;     }      // Delete the minimum element from the leftist heap     deleteMin() {         if (!this.root) throw new Error('Heap is empty');         const oldRoot = this.root;         this.root = this.merge(this.root.left, this.root.right);         return oldRoot.element;     }      // Check if the leftist heap is empty     isEmpty() {         return !this.root;     }      // Make the leftist heap logically empty     makeEmpty(t = this.root) {         if (t) {             this.makeEmpty(t.left);             this.makeEmpty(t.right);             t = null;         }     }      // Clone a subtree     clone(t) {         if (!t) return null;         return new LeftistNode(t.element, this.clone(t.left), this.clone(t.right), t.dist);     }      // Clone a leftist heap     cloneHeap(rhs) {         if (this !== rhs) {             this.makeEmpty();             this.root = this.clone(rhs.root);         }     } }  // Driver program const h = new LeftistHeap(); const h1 = new LeftistHeap(); const h2 = new LeftistHeap(); const arr = [1, 5, 7, 10, 15]; const arr1 = [22, 75];  // Insert elements into h and h1 arr.forEach(item => h.insert(item)); arr1.forEach(item => h1.insert(item));  // Delete minimum element from h and h1 and log them let x = h.deleteMin(); console.log(x);  x = h1.deleteMin(); console.log(x);  // Merge h1 into h and clone h into h2 h.merge(h1); h2.cloneHeap(h);  // Delete minimum element from h2 and log it x = h2.deleteMin(); console.log(x); 

Output
1 22 5

Time Complexity: The time complexity of all operations like Insert(), deleteMin(), findMin() and Merge() on a Leftist Heap is O(log n). This is because the height of a Leftist Heap is always O(log n).

Auxiliary Space: The space complexity of a Leftist Heap is O(n). This is because the Leftist Heap requires space for storing n number of elements.

Advantages of Leftist Tree:

  1. Efficient extract-min operation: The extract-min operation has a time complexity of O(log n), making it one of the most efficient data structures for this operation.
  2. Efficient merging: The merge operation has a time complexity of O(log n), making it one of the fastest data structures for merging two binary heaps.
  3. Simple implementation: The leftist tree has a relatively simple implementation compared to other binary heap data structures, such as Fibonacci heaps.

Disadvantages of Leftist Tree:

  1. Slower insert operation: The insert operation in a leftist tree has a time complexity of O(log n), making it slower than other binary heap data structures, such as binary heaps.
  2. Increased memory usage: The leftist tree uses more memory than other binary heap data structures, such as binary heaps, due to its requirement for the maintenance of null path length values for each node.

References and books:

  1. "Data Structures and Algorithm Analysis in Java" by Mark Allen Weiss.
  2. "Introduction to Algorithms" by Thomas H. Cormen, Charles E. Leiserson, Ronald L. Rivest, and Clifford Stein.
  3. "Purely functional data structures" by Chris Okasaki.
  4. "The Art of Computer Programming, Volume 1: Fundamental Algorithms" by Donald E. Knuth.

 


Next Article
K-ary Heap

S

Shubham Chaudhary gfg
Improve
Article Tags :
  • Tree
  • Heap
  • DSA
  • Intellipaat
  • Functions
  • TCS-coding-questions
  • Java-HijrahDate
  • Python numpy-Random
Practice Tags :
  • Functions
  • Heap
  • Tree

Similar Reads

    Heap Data Structure
    A Heap is a complete binary tree data structure that satisfies the heap property: for every node, the value of its children is greater than or equal to its own value. Heaps are usually used to implement priority queues, where the smallest (or largest) element is always at the root of the tree.Basics
    2 min read
    Introduction to Heap - Data Structure and Algorithm Tutorials
    A Heap is a special tree-based data structure with the following properties:It is a complete binary tree (all levels are fully filled except possibly the last, which is filled from left to right).It satisfies either the max-heap property (every parent node is greater than or equal to its children) o
    15+ min read
    Binary Heap
    A Binary Heap is a complete binary tree that stores data efficiently, allowing quick access to the maximum or minimum element, depending on the type of heap. It can either be a Min Heap or a Max Heap. In a Min Heap, the key at the root must be the smallest among all the keys in the heap, and this pr
    13 min read
    Advantages and Disadvantages of Heap
    Advantages of Heap Data StructureTime Efficient: Heaps have an average time complexity of O(log n) for inserting and deleting elements, making them efficient for large datasets. We can convert any array to a heap in O(n) time. The most important thing is, we can get the min or max in O(1) timeSpace
    2 min read
    Time Complexity of building a heap
    Consider the following algorithm for building a Heap of an input array A. A quick look over the above implementation suggests that the running time is O(n * lg(n)) since each call to Heapify costs O(lg(n)) and Build-Heap makes O(n) such calls. This upper bound, though correct, is not asymptotically
    2 min read
    Applications of Heap Data Structure
    Heap Data Structure is generally taught with Heapsort. Heapsort algorithm has limited uses because Quicksort is better in practice. Nevertheless, the Heap data structure itself is enormously used. Priority Queues: Heaps are commonly used to implement priority queues, where elements with higher prior
    2 min read
    Comparison between Heap and Tree
    What is Heap? A Heap is a special Tree-based data structure in which the tree is a complete binary tree. Types of Heap Data Structure: Generally, Heaps can be of two types: Max-Heap: In a Max-Heap the key present at the root node must be greatest among the keys present at all of its children. The sa
    3 min read
    When building a Heap, is the structure of Heap unique?
    What is Heap? A heap is a tree based data structure where the tree is a complete binary tree that maintains the property that either the children of a node are less than itself (max heap) or the children are greater than the node (min heap). Properties of Heap: Structural Property: This property sta
    4 min read

    Some other type of Heap

    Binomial Heap
    The main application of Binary Heap is to implement a priority queue. Binomial Heap is an extension of Binary Heap that provides faster union or merge operation with other operations provided by Binary Heap. A Binomial Heap is a collection of Binomial Trees What is a Binomial Tree? A Binomial Tree o
    15 min read
    Fibonacci Heap | Set 1 (Introduction)
    INTRODUCTION:A Fibonacci heap is a data structure used for implementing priority queues. It is a type of heap data structure, but with several improvements over the traditional binary heap and binomial heap data structures.The key advantage of a Fibonacci heap over other heap data structures is its
    5 min read
    Leftist Tree / Leftist Heap
    INTRODUCTION:A leftist tree, also known as a leftist heap, is a type of binary heap data structure used for implementing priority queues. Like other heap data structures, it is a complete binary tree, meaning that all levels are fully filled except possibly the last level, which is filled from left
    15+ min read
    K-ary Heap
    Prerequisite - Binary Heap K-ary heaps are a generalization of binary heap(K=2) in which each node have K children instead of 2. Just like binary heap, it follows two properties: Nearly complete binary tree, with all levels having maximum number of nodes except the last, which is filled in left to r
    15 min read

    Easy problems on Heap

    Check if a given Binary Tree is a Heap
    Given a binary tree, check if it has heap property or not, Binary tree needs to fulfil the following two conditions for being a heap: It should be a complete tree (i.e. Every level of the tree, except possibly the last, is completely filled, and all nodes are as far left as possible.).Every node’s v
    15+ min read
    How to check if a given array represents a Binary Heap?
    Given an array, how to check if the given array represents a Binary Max-Heap.Examples: Input: arr[] = {90, 15, 10, 7, 12, 2} Output: True The given array represents below tree 90 / \ 15 10 / \ / 7 12 2 The tree follows max-heap property as every node is greater than all of its descendants. Input: ar
    11 min read
    Iterative HeapSort
    HeapSort is a comparison-based sorting technique where we first build Max Heap and then swap the root element with the last element (size times) and maintains the heap property each time to finally make it sorted. Examples: Input : 10 20 15 17 9 21 Output : 9 10 15 17 20 21 Input: 12 11 13 5 6 7 15
    11 min read
    Find k largest elements in an array
    Given an array arr[] and an integer k, the task is to find k largest elements in the given array. Elements in the output array should be in decreasing order.Examples:Input: [1, 23, 12, 9, 30, 2, 50], k = 3Output: [50, 30, 23]Input: [11, 5, 12, 9, 44, 17, 2], k = 2Output: [44, 17]Table of Content[Nai
    15+ min read
    K’th Smallest Element in Unsorted Array
    Given an array arr[] of N distinct elements and a number K, where K is smaller than the size of the array. Find the K'th smallest element in the given array. Examples:Input: arr[] = {7, 10, 4, 3, 20, 15}, K = 3 Output: 7Input: arr[] = {7, 10, 4, 3, 20, 15}, K = 4 Output: 10 Table of Content[Naive Ap
    15 min read
    Height of a complete binary tree (or Heap) with N nodes
    Consider a Binary Heap of size N. We need to find the height of it. Examples: Input : N = 6 Output : 2 () / \ () () / \ / () () () Input : N = 9 Output : 3 () / \ () () / \ / \ () () () () / \ () ()Recommended PracticeHeight of HeapTry It! Let the size of the heap be N and the height be h. If we tak
    3 min read
    Heap Sort for decreasing order using min heap
    Given an array of elements, sort the array in decreasing order using min heap. Examples: Input : arr[] = {5, 3, 10, 1}Output : arr[] = {10, 5, 3, 1}Input : arr[] = {1, 50, 100, 25}Output : arr[] = {100, 50, 25, 1}Prerequisite: Heap sort using min heap.Using Min Heap Implementation - O(n Log n) Time
    11 min read
geeksforgeeks-footer-logo
Corporate & Communications Address:
A-143, 7th Floor, Sovereign Corporate Tower, Sector- 136, Noida, Uttar Pradesh (201305)
Registered Address:
K 061, Tower K, Gulshan Vivante Apartment, Sector 137, Noida, Gautam Buddh Nagar, Uttar Pradesh, 201305
GFG App on Play Store GFG App on App Store
Advertise with us
  • Company
  • About Us
  • Legal
  • Privacy Policy
  • In Media
  • Contact Us
  • Advertise with us
  • GFG Corporate Solution
  • Placement Training Program
  • Languages
  • Python
  • Java
  • C++
  • PHP
  • GoLang
  • SQL
  • R Language
  • Android Tutorial
  • Tutorials Archive
  • DSA
  • Data Structures
  • Algorithms
  • DSA for Beginners
  • Basic DSA Problems
  • DSA Roadmap
  • Top 100 DSA Interview Problems
  • DSA Roadmap by Sandeep Jain
  • All Cheat Sheets
  • Data Science & ML
  • Data Science With Python
  • Data Science For Beginner
  • Machine Learning
  • ML Maths
  • Data Visualisation
  • Pandas
  • NumPy
  • NLP
  • Deep Learning
  • Web Technologies
  • HTML
  • CSS
  • JavaScript
  • TypeScript
  • ReactJS
  • NextJS
  • Bootstrap
  • Web Design
  • Python Tutorial
  • Python Programming Examples
  • Python Projects
  • Python Tkinter
  • Python Web Scraping
  • OpenCV Tutorial
  • Python Interview Question
  • Django
  • Computer Science
  • Operating Systems
  • Computer Network
  • Database Management System
  • Software Engineering
  • Digital Logic Design
  • Engineering Maths
  • Software Development
  • Software Testing
  • DevOps
  • Git
  • Linux
  • AWS
  • Docker
  • Kubernetes
  • Azure
  • GCP
  • DevOps Roadmap
  • System Design
  • High Level Design
  • Low Level Design
  • UML Diagrams
  • Interview Guide
  • Design Patterns
  • OOAD
  • System Design Bootcamp
  • Interview Questions
  • Inteview Preparation
  • Competitive Programming
  • Top DS or Algo for CP
  • Company-Wise Recruitment Process
  • Company-Wise Preparation
  • Aptitude Preparation
  • Puzzles
  • School Subjects
  • Mathematics
  • Physics
  • Chemistry
  • Biology
  • Social Science
  • English Grammar
  • Commerce
  • World GK
  • GeeksforGeeks Videos
  • DSA
  • Python
  • Java
  • C++
  • Web Development
  • Data Science
  • CS Subjects
@GeeksforGeeks, Sanchhaya Education Private Limited, All rights reserved
We use cookies to ensure you have the best browsing experience on our website. By using our site, you acknowledge that you have read and understood our Cookie Policy & Privacy Policy
Lightbox
Improvement
Suggest Changes
Help us improve. Share your suggestions to enhance the article. Contribute your expertise and make a difference in the GeeksforGeeks portal.
geeksforgeeks-suggest-icon
Create Improvement
Enhance the article with your expertise. Contribute to the GeeksforGeeks community and help create better learning resources for all.
geeksforgeeks-improvement-icon
Suggest Changes
min 4 words, max Words Limit:1000

Thank You!

Your suggestions are valuable to us.

What kind of Experience do you want to share?

Interview Experiences
Admission Experiences
Career Journeys
Work Experiences
Campus Experiences
Competitive Exam Experiences