π One-stop destination for all your technical interview Preparation π
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 [-231, 231 - 1]
.
Note: You are not allowed to use any built-in function which evaluates strings as mathematical expressions, such as eval()
.
class Solution {
public:
int calculate(string s)
{
int n = s.length();
if (n == 0)
return 0;
stack<int> stk;
int currentNumber = 0;
char operation = '+';
for (int i = 0; i < n; i++) {
if (isdigit(s[i])) {
currentNumber = (currentNumber * 10) + (s[i] - '0');
}
if (!isdigit(s[i]) && !iswspace(s[i]) || i == n - 1) {
if (operation == '-') {
stk.push(-currentNumber);
} else if (operation == '+') {
stk.push(currentNumber);
} else if (operation == '*') {
int stkTop = stk.top();
stk.pop();
stk.push(stkTop * currentNumber);
} else if (operation == '/') {
int stkTop = stk.top();
stk.pop();
stk.push(stkTop / currentNumber);
}
operation = s[i];
currentNumber = 0;
}
}
int ans = 0;
while (stk.size()) {
ans += stk.top();
stk.pop();
}
return ans;
}
};
The approach works similar to Approach 1 with the following differences :
class Solution {
public:
int calculate(string s)
{
int length = s.length();
if (length == 0)
return 0;
int currentNumber = 0, lastNumber = 0, result = 0;
char sign = '+';
for (int i = 0; i < length; i++) {
char currentChar = s[i];
if (isdigit(currentChar)) {
currentNumber = (currentNumber * 10) + (currentChar - '0');
}
if (!isdigit(currentChar) && !iswspace(currentChar) || i == length - 1) {
if (sign == '+' || sign == '-') {
result += lastNumber;
lastNumber = (sign == '+') ? currentNumber : -currentNumber;
} else if (sign == '*') {
lastNumber = lastNumber * currentNumber;
} else if (sign == '/') {
lastNumber = lastNumber / currentNumber;
}
sign = currentChar;
currentNumber = 0;
}
}
result += lastNumber;
return result;
}
};