12. Integer to Roman
data:image/s3,"s3://crabby-images/31882/318829280916f9b2b669922b87ec7fa45c0a8603" alt=""
12. Integer to Roman
class Solution(object):
def intToRoman(self, num):
"""
:type num: int
:rtype: str
"""
res = ''
roman = ['M','CM','D','CD','C','XC','L','XL','X','IX','V','IV','I']
number = [1000,900,500,400,100,90,50,40,10,9,5,4,1]
for i in range(len(roman)):
while num >= number[i]:
res = res + roman[i]
num -= number[i]
return res
13. Roman to Integer
data:image/s3,"s3://crabby-images/0761f/0761ff25311873e3ab3c88e7f8114f976b040a69" alt=""
13. Roman to Integer
class Solution(object):
def romanToInt(self, s):
"""
:type s: str
:rtype: int
"""
dic = {'I':1, 'V':5, 'X':10, 'L':50, 'C':100, 'D':500, 'M':1000}
res = 0
for i in range(len(s)):
if i < len(s) - 1 and dic[s[i]] < dic[s[i+1]]:
res -= dic[s[i]]
else:
res += dic[s[i]]
return res
网友评论