Palani Kannan
Palani Kannan

Reputation: 1783

Number to English Word Conversion Rails

Anybody knows the method to convert the numericals to english number words in rails?

I found some Ruby scripts to convert numbericals to english words for corresponding words.

Instead of writing a script in ruby, i feel that direct function is available.

Eg. 1 -> One, 2 -> Two.

Upvotes: 26

Views: 30462

Answers (6)

Jaffa
Jaffa

Reputation: 12710

The humanize gem that does exactly what you want:

require 'humanize'
23.humanize # => "twenty three"
0.42.humanize(decimals_as: :digits) # => "zero point four two"

Upvotes: 13

jayant
jayant

Reputation: 493

How about this? Written for converting numbers to words in the Indian system, but can be easily modified.

def to_words(num)
  numbers_to_name = {
      10000000 => "crore",
      100000 => "lakh",
      1000 => "thousand",
      100 => "hundred",
      90 => "ninety",
      80 => "eighty",
      70 => "seventy",
      60 => "sixty",
      50 => "fifty",
      40 => "forty",
      30 => "thirty",
      20 => "twenty",
      19=>"nineteen",
      18=>"eighteen",
      17=>"seventeen", 
      16=>"sixteen",
      15=>"fifteen",
      14=>"fourteen",
      13=>"thirteen",              
      12=>"twelve",
      11 => "eleven",
      10 => "ten",
      9 => "nine",
      8 => "eight",
      7 => "seven",
      6 => "six",
      5 => "five",
      4 => "four",
      3 => "three",
      2 => "two",
      1 => "one"
    }

  log_floors_to_ten_powers = {
    0 => 1,
    1 => 10,
    2 => 100,
    3 => 1000,
    4 => 1000,
    5 => 100000,
    6 => 100000,
    7 => 10000000
  }

  num = num.to_i
  return '' if num <= 0 or num >= 100000000

  log_floor = Math.log(num, 10).floor
  ten_power = log_floors_to_ten_powers[log_floor]

  if num <= 20
    numbers_to_name[num]
  elsif log_floor == 1
    rem = num % 10
    [ numbers_to_name[num - rem], to_words(rem) ].join(' ')
  else
    [ to_words(num / ten_power), numbers_to_name[ten_power], to_words(num % ten_power) ].join(' ')
  end
end

Upvotes: 4

Satish
Satish

Reputation: 11

You may also want to check gem 'rupees' - https://github.com/railsfactory-shiv/rupees to convert numbers to indian rupees (e.g. in Lakh, Crore, etc)

Upvotes: 0

taimur akhtar
taimur akhtar

Reputation: 151

You can also use the to_words gem.

This Gem converts integers into words.

e.g.

1.to_words # one ,

100.to_words # one hundred ,

101.to_words # one hundred and one

It also converts negative numbers.

Upvotes: 5

Mischa
Mischa

Reputation: 43298

No, you have to write a function yourself. The closest thing to what you want is number_to_human, but that does not convert 1 to One.

Here are some URLs that may be helpful:

Upvotes: 12

Related Questions