LeetCode解題報告--Roman to Integer

題目:羅馬數字轉爲阿拉伯數字
Given a roman numeral, convert it to an integer.

Input is guaranteed to be within the range from 1 to 3999.
分析:題意:將給定的羅馬數字轉爲阿拉伯數字
從前往後遍歷羅馬數字,如果某個數比前一個數小,則把該數加入到結果中;
反之,則在結果中兩次減去前一個數並加上當前這個數;

java 代碼:(accepted)

import java.util.HashMap;

import sun.print.resources.serviceui;

public class Roman_To_Integer {

    /**
     * @param args
     */
    public static void main(String[] args) {
        // TODO Auto-generated method stub
        String s = "MMCMLXXXIV";
        //String s = "MMMCMXCIX";
        System.out.println("roman to int: " + romanToInt(s));
    }

    public static int romanToInt(String s) {

        //Genericity to set table to search for
        HashMap<Character, Integer> map = new HashMap<Character, Integer>();
        map.put('I', 1);
        map.put('V', 5);
        map.put('X', 10);
        map.put('L', 50);
        map.put('C', 100);
        map.put('D', 500);
        map.put('M', 1000);

        int num = 0;
        for (int i = 0; i < s.length(); i++) {
            if (i + 1 <= s.length() - 1 && (map.get(s.charAt(i)) < map.get(s.charAt(i + 1)))) {
                num = num + map.get(s.charAt(i + 1)) - map.get(s.charAt(i));
            //  System.out.println("flag1: " + num + "   " + s.charAt(i) + "  " + s.charAt(i + 1));
                i ++;//When the (i + 1)th lager than (i)th i have to plus 1 to skip the (i + 1)th witch have included
            } else {
                num = num + map.get(s.charAt(i));
            //  System.out.println("flag2: " + num + "   "  + s.charAt(i));
            }
        }

        return num;
    }
}

測試結果:

roman to int: 2984

相關代碼放在個人github:https://github.com/gannyee/LeetCode/tree/master/src

發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章