2015年5月28日星期四

Roman to Integer leetcode

Given a roman numeral, convert it to an integer.
Input is guaranteed to be within the range from 1 to 3999.
从后往前扫罗马字符, 由于罗马字符的形成标准 如果之前的字符小于之后的 则对于之前字符用减法 大于等于则加法.
所以把罗马字符和对应数字放入一个hashmap里 方便查找
public class Solution {
    public int romanToInt(String s) {
        if (s.length() == 0 || s == null) {
            return 0;
        }
        HashMap<Character, Integer> map = new HashMap<Character, Integer>();
        map.put('M', 1000);
        map.put('D', 500);
        map.put('C', 100);
        map.put('L', 50);
        map.put('X', 10);
        map.put('V', 5);
        map.put('I', 1);
        int res = map.get(s.charAt(s.length() - 1));
        for (int i = s.length()-2; i >= 0; i--) {
            if (map.get(s.charAt(i + 1)) > map.get(s.charAt(i))) {
                res -= map.get(s.charAt(i));
            } else {
                res += map.get(s.charAt(i));
            }
        }
        return res;
    }
}

没有评论:

发表评论