Problem Description
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. All intermediate results will be in the range of [-2^31, 2^31 - 1].
Key Insights
- The expression can contain non-negative integers and the operators +, -, *, and /.
- Spaces in the expression should be ignored.
- Multiplication and division take precedence over addition and subtraction.
- We can use a stack to handle the operations according to their precedence.
Space and Time Complexity
Time Complexity: O(n)
Space Complexity: O(n)
Solution
To solve this problem, we can iterate through the string while maintaining a stack to keep track of the numbers and intermediate results. We process each character in the string in the following way:
- Ignore spaces.
- If the character is a digit, we build the complete number.
- If the character is an operator (+, -, *, /), we evaluate the previous number with the last operator stored and push the result onto the stack.
- After processing all characters, we sum up the values in the stack to get the final result.
The stack is used to manage the numbers and to handle the order of operations correctly.