-
Notifications
You must be signed in to change notification settings - Fork 7
/
Copy path227.basic-calculator-ii.py
40 lines (37 loc) · 1.07 KB
/
227.basic-calculator-ii.py
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
#
# @lc app=leetcode id=227 lang=python3
#
# [227] Basic Calculator II
#
# @lc code=start
# TAGS: String, Stack
class Solution:
# 122 ms, 28.3%. Time and Space: O(N)
def calculate(self, s: str) -> int:
s = s.replace(" ","")
components = []; cur = 0
for c in s:
if c.isdigit():
cur = cur * 10 + int(c)
else:
components.extend([cur, c])
cur = 0
components.append(cur)
stack = []
for val in components:
if stack and stack[-1] == "*":
stack.pop()
stack.append(stack.pop() * val)
elif stack and stack[-1] == "/":
stack.pop()
stack.append(int(stack.pop() / val))
elif stack and stack[-1] == "-":
stack.pop()
stack.append(-val)
elif stack and stack[-1] == "+":
stack.pop()
stack.append(val)
else:
stack.append(val)
return sum(stack)
# @lc code=end