-
Notifications
You must be signed in to change notification settings - Fork 2.4k
/
Copy path0273-integer-to-english-words.js
50 lines (42 loc) · 1.43 KB
/
0273-integer-to-english-words.js
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
/**
* Time O(Log10N) | Space O(1)
* https://leetcode.com/problems/integer-to-english-words
* @param {number} num
* @return {string}
*/
var convertToWords = function (num) {
var belowTwenty = ["", "One", "Two", "Three", "Four", "Five", "Six", "Seven", "Eight", "Nine", "Ten", "Eleven", "Twelve", "Thirteen", "Fourteen", "Fifteen", "Sixteen", "Seventeen", "Eighteen", "Nineteen"];
var belowHundred = ["", "Ten", "Twenty", "Thirty", "Forty", "Fifty", "Sixty", "Seventy", "Eighty", "Ninety"];
var thousands = ["" , "Thousand", "Million", "Billion"]
var pointer = 0;
result = "";
while (num > 0) {
var words = "";
reminder = num % 1000;
num = Math.floor(num / 1000);
if (reminder > 0) {
if (reminder >= 100) {
words += belowTwenty[Math.floor(reminder / 100)] + " Hundred ";
reminder %= 100;
}
if (reminder >= 20) {
words += belowHundred[Math.floor(reminder / 10)] + " ";
reminder %= 10;
}
if (reminder > 0) {
words += belowTwenty[Math.floor(reminder)] + " ";
}
result = words + thousands[pointer] + " " + result;
}
pointer += 1;
}
return result.trim();
}
var numberToWords = function (num) {
if (num == 0) {
return "Zero";
}
else {
return convertToWords(num);
}
};