Monday, April 24, 2017

Track the Maximum Element in a Stack

Aim: To find out the maximum element in stack. There can be n-number of push and pop operations. At a given point of time, goal is to get maximum element from stack in O(1).

Solution:

1. Create two stacks, one for storing elements and the other auxiliary stack for tracking the maximum element.

2. Initially, enter the first element in both the stacks. After that, insert new element in first stack. Compare top element from auxiliary stack with current element and insert whichever is greater.

3. Whenever any element is popped from first stack, pop element from other stack as well.

4. At any point of time if you want to get maximum element, then simply print the top element from the auxiliary stack.

Code:


/*************************************************************************
> File Name: Maximum Element.cpp
> Author: Rohit Mourya
> Blog: https://mouryarohit.blogspot.in/
> Created Time: Mon April 24 2017
************************************************************************/
#include <cmath>
#include <cstdio>
#include <vector>
#include <iostream>
#include <algorithm>
#include<stack>
using namespace std;
int main() {
int t,q,n;
stack<int>st1;
stack<int> auxSt;
cin>>t;
while(t>0) {
cin>>q;
if(q==1) {
cin>>n;
// Insert first element in both the stack
if(st1.empty()) {
st1.push(n);
auxSt.push(n);
}
// Insert greater element in auxSt by comparing current element and top element
else {
int n2 = auxSt.top();
auxSt.push(max(n2,n));
st1.push(n);
}
}
// pop element from both the stack
else if (q==2) {
if(!st1.empty()){
st1.pop();
auxSt.pop();
}
} else {
// print the maximum element.
cout<<auxSt.top()<<endl;
}
--t;
}
return 0;
}
/*
Input: t --> no of operations
q --> type of query: 1 for push, 2 for pop and 3 for printing max element
Sample Input:
10
1 97
2
1 20
2
1 26
1 20
2
3
1 91
3
Output:
26
91
*/


 The time complexity get the maximum element is O(1).


No comments:

Post a Comment

Simple Binary Tree Program

Simple Binary Tree: In this blog we will see, how to create a simple binary tree. We will be using Queue  data structure to store the las...