LeetCode 13. Roman to Integer

Lian Kim·2022년 8월 15일
0

coding-test

목록 보기
6/19

Roman to Integer

문제

문제 설명

Roman numerals are represented by seven different symbols: I, V, X, L, C, D and M.

SymbolValue
I1
V5
X10
L50
C100
D500
M1000

For example, 2 is written as II in Roman numeral, just two ones added together. 12 is written as XII, which is simply X + II. The number 27 is written as XXVII, which is XX + V + II.

Roman numerals are usually written largest to smallest from left to right. However, the numeral for four is not IIII. Instead, the number four is written as IV. Because the one is before the five we subtract it making four. The same principle applies to the number nine, which is written as IX. There are six instances where subtraction is used:

  • I can be placed before V (5) and X (10) to make 4 and 9.
  • X can be placed before L (50) and C (100) to make 40 and 90.
  • C can be placed before D (500) and M (1000) to make 400 and 900.

Given a roman numeral, convert it to an integer.


로마 숫자가 주어지면 정수로 변환하는 문제.
작은 값이 앞에 위치한 경우는 뒤의 값에서 앞의 값을 빼줘야 한다.

입출력 예

Input: s = "III"
Output: 3
Explanation: III = 3.
Input: s = "LVIII"
Output: 58
Explanation: L = 50, V= 5, III = 3.
Input: s = "MCMXCIV"
Output: 1994
Explanation: M = 1000, CM = 900, XC = 90 and IV = 4.

제한 사항

  • 1 <= s.length <= 15
  • s contains only the characters ('I', 'V', 'X', 'L', 'C', 'D', 'M').
  • It is guaranteed that s is a valid roman numeral in the range [1, 3999].

풀이

나의 풀이

  1. Map을 생성하고 로마 숫자에 해당하는 문자를 key로, 정수를 value로 설정
  2. 문자열을 순회하면서 현재 문자보다 다음 문자가 더 큰 경우는 현재 값을 빼주고, 현재 문자보다 다음 문자가 더 작은 경우는 현재 값을 더해준다.
// Runtime: 182 ms, faster than 70.21%
// Memory Usage: 49.5 MB, less than 14.35%
  
var romanToInt = function(s) {
  let num = 0;
  
  const map = new Map();
  map.set("I", 1)
  .set("V", 5)
  .set("X", 10)
  .set("L", 50)
  .set("C", 100)
  .set("D", 500)
  .set("M", 1000);

  for (let i = 0; i < s.length; i++) {
    if (map.get(s[i]) < map.get(s[i + 1])) {
      num -= map.get(s[i]);
    } else {
      num += map.get(s[i]);
    }
  }

  return num;
};

이번 문제는 대부분의 풀이가 변수명에만 차이가 있을 뿐 비슷비슷했다.

0개의 댓글