【Leetcode】【python】Integer to Roman

题目大意

将整数转为罗马数字

解题思路

来自:博客

I = 1;
V = 5;
X = 10;
L = 50;
C = 100;
D = 500;
M = 1000;

其中每两个阶段的之间有一个减法的表示,比如900=CM, C写在M前面表示M-C。
范围给到3999,感觉情况不多直接打表其实更快,用代码判断表示估计比较繁琐。
然后就是贪心的做法,每次选择能表示的最大值,把对应的字符串连起来。

代码

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
class Solution(object):
def intToRoman(self, num):
"""
:type num: int
:rtype: str
"""
# table = {'M':1000, 'CM':900, 'D':500, 'CD':400, 'C':100, 'XC':90, 'L':50, 'XL': 40, 'X':10, 'IX':9, 'V':5, 'VI':4, 'I':1}
# dict无法确定遍历顺序
roman = [ "M", "CM", "D", "CD", "C", "XC", "L", "XL", "X", "IX", "V", "IV", "I" ]
integer = [ 1000, 900, 500, 400, 100, 90, 50, 40, 10, 9, 5, 4, 1 ]
result = ''
for i in range(0, len(integer)):
while num >= integer[i]:
result += roman[i]
num -= integer[i]
return result

总结

遍历dict是无法保证其顺序的,所以这道题dict不合适。