题目
https://leetcode.com/problems/basic-calculator/ data:image/s3,"s3://crabby-images/118d7/118d72580d7d4b34431380a2877027b7a00d8f2d" alt="在这里插入图片描述"
题解
中缀表达式求值,之前学数据结构的笔记: data:image/s3,"s3://crabby-images/14ba4/14ba4822015672527d24749d60d08ce997d1b953" alt="在这里插入图片描述"
class Solution {
public int calculate(String s) {
if (s.trim().startsWith("-")) s = "0" + s;
Stack<Integer> numStack = new Stack<>();
Stack<Character> opStack = new Stack<>();
int cur = 0;
boolean pending = false;
for (char c : s.toCharArray()) {
if (c == ' ') {
} else if (c == '(') {
if (pending) {
numStack.push(cur);
cur = 0;
pending = false;
}
opStack.push(c);
} else if (c == ')') {
if (pending) {
numStack.push(cur);
cur = 0;
pending = false;
}
char op = opStack.pop();
while (op != '(') {
int b = numStack.pop();
int a = numStack.pop();
numStack.push(cal(a, b, op));
op = opStack.pop();
}
} else if (c >= '0' && c <= '9') {
cur *= 10;
cur += c - '0';
pending = true;
} else {
if (pending) {
numStack.push(cur);
cur = 0;
pending = false;
}
if (!opStack.isEmpty() && opStack.peek() != '(') {
char op = opStack.pop();
int b = numStack.pop();
int a = numStack.pop();
numStack.push(cal(a, b, op));
}
opStack.push(c);
}
}
if (pending) {
numStack.push(cur);
}
if (!opStack.isEmpty()) {
char op = opStack.pop();
int b = numStack.pop();
int a = numStack.pop();
numStack.push(cal(a, b, op));
}
return numStack.pop();
}
public int cal(int a, int b, char op) {
return op == '+' ? a + b : a - b;
}
}
data:image/s3,"s3://crabby-images/8e26d/8e26d7ff81225ce80bc4aa6a9c99d8610f219112" alt="在这里插入图片描述"
|