Intervue featured on Shark TankIntervue featured on Shark Tank - mobile banner

Design a stack that supports push, pop, top, and retrieving the minimum element in constant time.

Constraints:

  • Methods pop, top and getMin operations will always be called on non-empty stacks.

Examples:

Input: MinStack minStack = new MinStack(); minStack.push(-2); minStack.push(0); minStack.push(-3); minStack.getMin(); minStack.pop(); minStack.top(); minStack.getMin();

Output: -2

Explanation: The stack is initially empty. We push -2, 0, and -3. The minimum element is -3. After popping, the top element is 0 and the minimum element is -2.

Solutions

Two Stacks

Time: O(1)Space: O(n)

We use two stacks, one for the actual stack and another for keeping track of the minimum elements. When we push an element, we also push it to the minStack if it's smaller or equal to the current minimum. When we pop an element, we also pop it from the minStack if it's equal to the current minimum.


class MinStack {
  constructor() {
    this.stack = [];
    this.minStack = [];
  }
  push(x) {
    this.stack.push(x);
    if (this.minStack.length === 0 || x <= this.minStack[this.minStack.length - 1]) {
      this.minStack.push(x);
    }
    pop() {
      if (this.stack.length > 0) {
        if (this.stack[this.stack.length - 1] === this.minStack[this.minStack.length - 1]) {
          this.minStack.pop();
        }
        this.stack.pop();
      }
    }
    top() {
      return this.stack[this.stack.length - 1];
    }
    getMin() {
      return this.minStack[this.minStack.length - 1];
    }
  }

Difficulty: Easy

Category: Stack

Frequency: High

Company tags:

AmazonGoogleFacebook