-
Notifications
You must be signed in to change notification settings - Fork 10
/
Copy path13.Roman-to-Integer.py
39 lines (33 loc) · 957 Bytes
/
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
35
36
37
38
39
# https://leetcode.com/problems/container-with-most-water/
#
# algorithms
# Medium (44.59%)
# Total Accepted: 490,116
# Total Submissions: 919,349
class Solution(object):
def romanToInt(self, s):
"""
:type s: str
:rtype: int
"""
length = len(s)
if length == 0:
return 0
ch_2_value = {
'I': 1,
'V': 5,
'X': 10,
'L': 50,
'C': 100,
'D': 500,
'M': 1000,
}
res, idx = ch_2_value[s[0]], 1
while idx < length:
if (s[idx - 1] == 'I' and (s[idx] == 'V' or s[idx] == 'X')) or \
(s[idx - 1] == 'X' and (s[idx] == 'L' or s[idx] == 'C')) or \
(s[idx - 1] == 'C' and (s[idx] == 'D' or s[idx] == 'M')):
res -= 2 * ch_2_value[s[idx - 1]]
res += ch_2_value[s[idx]]
idx += 1
return res