-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathBasicCalculator_PowerAndParentheses.java
74 lines (68 loc) · 2.46 KB
/
BasicCalculator_PowerAndParentheses.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
class Solution {
public int calculate(String s) {
Map<Character, Integer> priority = new HashMap<>();
priority.put('+', 1);
priority.put('-', 1);
priority.put('*', 2);
priority.put('/', 2);
priority.put('^', 3);
return cal(s, priority);
}
public int cal(String s, Map<Character, Integer> priority) {
Stack<Integer> operands = new Stack<>();
Stack<Character> operators = new Stack<>();
char[] cs = s.toCharArray();
for(int i = 0; i < s.length(); i++) {
// digit
if(Character.isDigit(cs[i])) {
int num = 0;
while(i < cs.length && Character.isDigit(cs[i])) {
num = 10*num + cs[i++]-'0';
}
i--;
operands.push(num);
}
// left parenthesis
else if(cs[i] == '(') {
int j = i+1, count = 1;
while(j < cs.length) {
if(cs[j] == '(') count++;
if(cs[j] == ')') count--;
if(count == 0) break;
j++;
}
int paren = cal(s.substring(i+1, j), priority);
operands.push(paren);
// skip to the right parenthesis
i = j;
}
// operators
else if(priority.containsKey(cs[i])) {
while(!operators.isEmpty() && priority.get(cs[i]) <= priority.get(operators.peek())) {
int y = operands.pop();
int x = operands.pop();
char c = operators.pop();
int temp = merge(x, y, c);
operands.push(temp);
}
operators.push(cs[i]);
}
}
// merge the rest
while(!operators.isEmpty()) {
int y = operands.pop();
int x = operands.pop();
char c = operators.pop();
int temp = merge(x, y, c);
operands.push(temp);
}
return operands.pop();
}
public int merge(int x, int y, char c) {
if(c == '+') return x + y;
else if(c == '-') return x - y;
else if(c == '*') return x * y;
else if(c == '/') return x / y;
else return (int)Math.pow(x, y);
}
}