leetcode 12 interger to Roman && 13 Roman to Integer

題目鏈接:https://leetcode.com/problems/roman-to-integer/

題目的意思很的簡單:Given a roman numeral, convert it to an integer.給一個羅馬數字,轉化爲阿拉伯數字。數字範圍比較小 1~3999。


首先百度了一下羅馬數字的命名規則:http://baike.baidu.com/link?url=4_M7yJG5SIDYU7mzwY-XI-3lirwJkGmoANH-5N5XBpeNufRMQmfu_yZZFEQ3xaKy2hU0nyKc0H4VGj0AJGILv_


寫的比較詳細。不在贅述。

然後,有了解了一下阿拉伯數字轉化爲羅馬數字的方法。直接體現在Code 上吧!

找了一道題目練習了一下:Toj 3021


總體上比較簡單。

Code:

#include <iostream>
#include <algorithm>
#include <string>
#include <map>
using namespace std;

class Solution {
public:
    map<char, int> hash;
    void Init(){
        hash['I'] = 1;   hash['V'] = 5;
        hash['X'] = 10;  hash['L'] = 50;
        hash['C'] = 100; hash['D'] = 500;
        hash['M'] = 1000;
    }
    const int nums[] = {1000, 900, 500, 400, 100, 90, 50, 40, 10, 9, 5, 4, 1};
    const string str[] = {"M", "CM", "D", "CD", "C", "XC", "L", "XL", "X", "IX", "V", "IV", "I"};
    int romanToInt(string s) {
        Init();
        int len = s.size();
        int ans = 0;
        for(int i = 0; i < len; ++ i){
            if(i == len - 1 || hash[s[i]] >= hash[s[i + 1]]) ans += hash[s[i]];
            else ans -= hash[s[i]];
        }
        return ans;
    }
    string intToRoman(int num){
        string ans = "";
        int i = 0;
        while(num){
            while(num >= nums[i]){
                ans += str[i];
                num -= nums[i];
            }
            i ++ ;
        }

        return ans;
    }
};

int main()
{
    int n, k = 1;
    while(cin >> n && n){
        string str;
        int ans = 0;
        while(n --){
            cin >> str;
            ans += romanToInt(str);
        }

//        cout << "ans = " << ans << endl;
        cout << "Case " << intToRoman(k ++) << ": " << intToRoman(ans) << endl;
    }
    return 0;
}

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