Monotonic Stack based problems

Published on
-
2 mins read
Authors
  • Name
    Twitter

Next Greater Element ( variants )

This problem states that for every index i in the given array, we need to find the element to the right of it which is just greater ( not smaller ) than the elment at i.

Entire list - https://leetcode.com/tag/monotonic-stack/

There are two ways to solve this problem :

  • Using stack ( this is most popular one )
  • Without using stack

Problems that are based on this concept are :

The order of relationship is : NGE > largest rect histogram > maximal rectangle

Next Greater Element code using stacks :

/*
INPUT : [1,2,1]
OUTPUT : [2,-1,-1]
*/
vector<int> nextGreaterElements(vector<int>& nums) {
int n = nums.size() ;
vector<int>nge(n);
stack<int>s ;
for(int i=n-1; i>=0; i--){
if(s.empty()){
nge[i]=-1 ;
}
else if(s.top() >= nums[i]){
nge[i]=s.top() ;
}
else if(s.top()<nums[i]){
while(!s.empty() && s.top()<nums[i]) s.pop() ;
if(s.empty()) nge[i]=-1 ;
else nge[i]=s.top() ;
}
s.push(nums[i]) ;
}
return nge ;
}

1130. Minimum Cost Tree From Leaf Values

907. Sum of Subarray Minimums

901. Online Stock Span

856. Score of Parentheses

503. Next Greater Element II

  1. Next Greater Element I
  2. Largest Rectangle in Histogram
  3. Trapping Rain Water