HUA-1-6-报时助手

Description

给定当前的时间,请用英文的读法将它读出来。

时间用时h和分m表示,在英文的读法中,读一个时间的方法是:

如果m为0,则将时读出来,然后加上“o’clock”,如3:00读作“three o’clock”。

如果m不为0,则将时读出来,然后将分读出来,如5:30读作“five thirty”。

时和分的读法使用的是英文数字的读法,其中0~20读作:

0:zero, 1: one, 2:two, 3:three, 4:four, 5:five, 6:six, 7:seven, 8:eight, 9:nine, 10:ten, 11:eleven, 12:twelve, 13:thirteen, 14:fourteen, 15:fifteen, 16:sixteen, 17:seventeen, 18:eighteen, 19:nineteen, 20:twenty。

30读作thirty,40读作forty,50读作fifty。

对于大于20小于60的数字,首先读整十的数,然后再加上个位数。如31首先读30再加1的读法,读作“thirty one”。

按上面的规则21:54读作“twenty one fifty four”,9:07读作“nine seven”,0:15读作“zero fifteen”。

Input

输入包含两个非负整数h和m,表示时间的时和分。非零的数字前没有前导0。h小于24,m小于60。

Output

输出时间时刻的英文。

Sample Input 1

1
0 15

Sample Output 1

1
zero fifteen

Code

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
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
#include <iostream>
#include <map>
#include <string>
using namespace std;

map<int, string> t = { {0,"zero"},{1,"one"},{2,"two"},{3,"three"},{4,"four"},{5,"five"},{6,"six"},{7,"seven"},{8,"eight"},{9,"nine"},{10,"ten"},{11,"eleven"},{12,"twelve"},{13,"thirteen"},{14,"fourteen"},{15,"fifteen"},{16,"sixteen"},{17,"seventeen"},{18,"eighteen"},{19,"nineteen"},{20,"twenty"},{30,"thirty"},{40,"forty"},{50,"fifty"},{60,"sixty"} };

int main() {
int h, m;
scanf("%d %d", &h, &m);
map<int, string>::iterator it;
string hour, min;

//处理时
if (h > 20) {
it = t.find(20);
hour = it->second;
it = t.find(h - 20);
hour = hour + ' ' + it->second;
}
else {
it = t.find(h);
hour = it->second;
}

//处理分
if (m == 0) {
printf("%s %s\n", hour.c_str(), "o'clock");
return 0;
}
else {
if (m <= 20) {
it = t.find(m);
min = it->second;
printf("%s %s\n", hour.c_str(), min.c_str());
return 0;
}
else if (m > 20 && m <= 30) {
if (m == 30) {
printf("%s %s\n", hour.c_str(), "thirty");
return 0;
}
it = t.find(m - 20);
min = "twenty " + it->second;
printf("%s %s\n", hour.c_str(), min.c_str());
return 0;
}
else if (m > 30 && m <= 40) {
if (m == 40) {
printf("%s %s\n", hour.c_str(), "forty");
return 0;
}
it = t.find(m - 30);
min = "thirty " + it->second;
printf("%s %s\n", hour.c_str(), min.c_str());
return 0;
}
else if (m > 40 && m <= 50) {
if (m == 50) {
printf("%s %s\n", hour.c_str(), "fifty");
return 0;
}
it = t.find(m - 40);
min = "forty " + it->second;
printf("%s %s\n", hour.c_str(), min.c_str());
return 0;
}
else {
it = t.find(m - 50);
min = "fifty " + it->second;
printf("%s %s\n", hour.c_str(), min.c_str());
return 0;
}
}
return 0;
}

----\(˙<>˙)/----赞赏一下吧~