-
Notifications
You must be signed in to change notification settings - Fork 0
/
13_roman_to_integer.py
35 lines (33 loc) · 1.01 KB
/
13_roman_to_integer.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
class Solution:
# def romanToInt(self, s):
# """
# :type s: str
# :rtype: int
# """
# roman = {'I': 1, 'V': 5, 'X': 10,
# 'L': 50, 'C': 100, 'D': 500, 'M': 1000}
# result = 0
# last = s[-1]
# for t in reversed(s):
# if t == 'C' and last in ['D', 'M']:
# result -= roman[t]
# elif t == 'X' and last in ['L', 'C']:
# result -= roman[t]
# elif t == 'I' and last in ['V', 'X']:
# result -= roman[t]
# else:
# result += roman[t]
# last = t
# return result
def romanToInt(self, s):
roman = {'I': 1, 'V': 5, 'X': 10,
'L': 50, 'C': 100, 'D': 500, 'M': 1000}
prev, total = 0, 0
for c in s:
curr = roman[c]
total += curr
# need to subtract
if curr > prev:
total -= 2 * prev
prev = curr
return total