-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathromaninteger_13_easy.dart
57 lines (51 loc) · 1.52 KB
/
romaninteger_13_easy.dart
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
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
class Solution {
static int romanToInt(String s) {
Map<String, int> romanNumerals = {"I": 1, "V": 5, "X": 10, "L": 50, "C": 100, "D": 500, "M": 1000};
Map<String, int> specialCondition = {'IV': 4, 'IX': 9, 'XL': 40, 'XC': 90, 'CD': 400, 'CM': 900};
int sum = 0;
for (int i = 0; i < s.length; i++) {
if (specialCondition.containsKey(i + 1 == s.length ? s[i] : s[i] + s[i + 1])) {
sum += specialCondition.entries.where((element) => element.key == s[i] + s[i + 1]).first.value;
i = i + 1;
} else {
sum += romanNumerals.entries.where((element) => element.key == s[i]).first.value;
}
}
return sum;
}
static int romanToIntV2(String s) {
Map<String, int> numbers = {
'I': 1,
'V': 5,
'X': 10,
'L': 50,
'C': 100,
'D': 500,
'M': 1000,
};
int sum = 0;
int index = 0;
List<String> words = s.split('');
while (index < words.length) {
if (index + 1 < words.length) {
if (numbers[words[index]]!.toInt() < numbers[words[index + 1]]!.toInt()) {
int sum2 = numbers[words[index + 1]]!.toInt() - numbers[words[index]]!.toInt();
sum = sum + sum2;
sum2 = 0;
index += 2;
} else {
sum = sum + numbers[words[index]]!.toInt();
index++;
}
} else {
sum = sum + numbers[words[index]]!.toInt();
index++;
}
}
return sum;
}
}
void main(List<String> args) {
int result = Solution.romanToIntV2('CMM');
print(result);
}