-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathroman-numerals-solution.rb
51 lines (44 loc) · 1.16 KB
/
roman-numerals-solution.rb
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
# Lists Roman numerals in an array:
roman_numerals = [
nil,
'I',
'II',
'III',
'IV',
'V',
'VI',
'VII',
'VIII',
'IX',
'X'
]
# Confirms this structure is an array.
puts roman_numerals.class
# Accessing the number seven in Roman numeration:
puts roman_numerals[7]
# Accessing zero should return nil as there is no idiom for it in Roman numerals besides the word nulla:
# A class method is used to show output on the terminal.
puts roman_numerals[0].class
# Comparing a number with its Roman numeral annotation evaluates as expected:
puts roman_numerals[4] == 'IV'
# Perhaps a more elegant solution would be using a hash.
# This way the 0-based index characteristic of arrays can be bypassed.
# Notice these were no made into symbols as they can't start with an integer.
# However, hashes can be indexed with integers.
roman_numerals_map = {
1 => 'I',
2 => 'II',
3 => 'III',
4 => 'IV',
5 => 'V',
6 => 'VI',
7 => 'VII',
8 => 'VIII',
9 => 'IX',
10 => 'X'
}
# Confirms this structure is a hash.
puts roman_numerals_map.class
# Values are accessed the same way as an array.
puts roman_numerals_map[3]
puts roman_numerals_map[10] == 'X'