Skip to content
RSS feed tkhwang on GitHub tkhwang on Twitter

πŸ€– leetcode 112. Integer to Roman | medium | javascript

πŸ—’οΈ Problems

(1) Integer to Roman - LeetCode

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

Symbol       Value
I             1
V             5
X             10
L             50
C             100
D             500
M             1000

For example, 2 is written as II in Roman numeral, just two one's 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 an integer, convert it to a roman numeral.
Input: num = 58
Output: "LVIII"
Explanation: L = 50, V = 5, III = 3.

πŸ€” First attempt

μ²˜μŒμ—λŠ” recursive 둜 λŒλ©΄μ„œ 10 자릿수둜 λ‚˜λˆ„μ–΄ κ°€λ©΄μ„œ μ²˜λ¦¬ν•˜λ €κ³  ν–ˆμ—ˆλŠ”λ°... <br /> λ­”κ°€ κΉ”λ”ν•˜κ²Œ 잘 λ˜μ§€ μ•Šμ•˜λ‹€...

✨ Idea

μ•„μ£Ό general solution은 μ•„λ‹ˆλ”λΌλ„ 쒀더 κ°„νŽΈν•˜κ²Œ ν•  수 μžˆλŠ” 방법은 μ—†μ„κΉŒ ?

  • 각 μžλ¦¬μˆ˜λ§ˆλ‹€ number2roman = { } 같은 mapping table 을 μžˆλ‹€λ©΄ μžλ¦¬μˆ˜λ§ˆλ‹€ λ³€ν™˜μ„ ν•΄μ£Όμž.

πŸ€ Intuition

num 이 μ£Όμ–΄μ‘Œλ‹€κ³  ν•  λ•Œ, 각 자리수 값은 ?

1의 자리수

num % 10;

10의 자리수

Math.floor((num % 100) / 10);

100의 자리수

Math.floor((num % 1000) / 100);

πŸ”₯ My Solution

/**
 * @param {number} num
 * @return {string}
 */
var intToRoman = function (num) {
  const M2Roman = ["", "M", "MM", "MMM"];
  const C2Roman = ["", "C", "CC", "CCC", "CD", "D", "DC", "DCC", "DCCC", "CM"];
  const X2Roman = ["", "X", "XX", "XXX", "XL", "L", "LX", "LXX", "LXXX", "XC"];
  const I2Roman = ["", "I", "II", "III", "IV", "V", "VI", "VII", "VIII", "IX"];

  return (
    M2Roman[Math.floor(num / 1000)] +
    C2Roman[Math.floor((num % 1000) / 100)] +
    X2Roman[Math.floor((num % 100) / 10)] +
    I2Roman[num % 10]
  );
};