Open In App

Iterative Segment Tree (Range Minimum Query)

Last Updated : 30 Aug, 2022
Comments
Improve
Suggest changes
8 Likes
Like
Report

We have discussed recursive segment tree implementation. In this post, iterative implementation is discussed.
Let us consider the following problem understand Segment Trees.

We have an array arr[0 . . . n-1]. We should be able to 

  1. Find the minimum of elements from index l to r where 0 <= l <= r <= n-1 
  2. Change value of a specified element of the array to a new value x. We need to do arr[i] = x where 0 <= i <= n-1.

Examples: 

Input : 2, 6, 7, 5, 18, 86, 54, 2
        minimum(2, 7)  
        update(3, 4)
        minimum(2, 6) 
Output : Minimum in range 2 to 7 is 2.
         Minimum in range 2 to 6 is 4.

The iterative version of the segment tree basically uses the fact, that for an index i, left child = 2 * i and right child = 2 * i + 1 in the tree. The parent for an index i in the segment tree array can be found by parent = i / 2. Thus we can easily travel up and down through the levels of the tree one by one. At first we compute the minimum in the ranges while constructing the tree starting from the leaf nodes and climbing up through the levels one by one. We use the same concept while processing the queries for finding the minimum in a range. 

Since there are (log n) levels in the worst case, so querying takes log n time. For update of a particular index to a given value we start updating the segment tree starting from the leaf nodes and update all those nodes which are affected by the updation of the current node by gradually moving up through the levels at every iteration. Updation also takes log n time because there we have to update all the levels starting from the leaf node where we update the exact value at the exact index given by the user.  

Implementation:

C++
Java Python3 C# JavaScript

Output
Minimum in range 0 to 5 is 2
Minimum in range 2 to 6 is 1

Complexity Analysis:

  • Time Complexity : (n log n) 
  • Auxiliary Space : (n)

Next Article

Similar Reads