罗马数字转整数,如图
需要注意的是IX,IV这样的
java环境
class Solution {
public int romToInt(char s){
switch(s){
case 'I':
return 1;
case 'X':
return 10;
case 'V':
return 5;
case 'L':
return 50;
case 'C':
return 100;
case 'D':
return 500;
case 'M':
return 1000;
default:
return 0;
}
}
public int romanToInt(String s) {
int res = 0;
for(int i=0;i<s.length();i++){
if(i!=s.length()-1 && romToInt(s.charAt(i)) < romToInt(s.charAt(i+1))){
res = res + romToInt(s.charAt(i+1)) - romToInt(s.charAt(i));
i++;
}
else res += romToInt(s.charAt(i));
}
return res;
}
}