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

Basic Calculator II

Given a string s which represents an expression, evaluate this expression and return its value. The integer division should truncate toward zero. You may assume that the given expression is always valid. Do not use the eval built-in parser.

Constraints:

  • 1 <= s.length <= 3 * 10^5
  • s consists of integers, '+', '-', '*', '/'
  • s does not contain any spaces

Examples:

Input: 3+2*2

Output: 7

Explanation: First, we calculate the multiplication 2*2 = 4. Then we add 3 + 4 = 7.

Input: 3/2

Output: 1

Explanation: The division is truncated toward zero, so 3/2 = 1.

Input: 3+5 / 2

Output: 5

Explanation: First, we calculate the division 5/2 = 2. Then we add 3 + 2 = 5.

Solutions

Stack

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

We iterate through the string and whenever we encounter a digit, we update the current number. Whenever we encounter an operator, we calculate the result based on the current operator and the previous operator. We use a stack to store the intermediate results.

function calculate(s) {
  let stack = [],
    num = 0,
    sign = '+';
  for (let i = 0; i < s.length; i++) {
    if (s[i] === ' ') continue;
    if (s[i].charCodeAt(0) >= 48 && s[i].charCodeAt(0) <= 57)
      num = num * 10 + s[i].charCodeAt(0) - 48;
    if (s[i] === '+' || s[i] === '-' || s[i] === '*' || s[i] === '/') {
      if (sign === '+') stack.push(num);
      else if (sign === '-') stack.push(-num);
      else if (sign === '*') stack.push(stack.pop() * num);
      else if (sign === '/') stack.push(parseInt(stack.pop() / num, 10));
      sign = s[i];
      num = 0;
    }
  }
  if (sign === '+') stack.push(num);
  else if (sign === '-') stack.push(-num);
  return stack.reduce((a, b) => a + b, 0);
}

Difficulty: Medium

Category: Stack

Frequency: High

Company tags:

GoogleAmazonFacebook