2

So I'm trying some code out to convert numbers into strings. However, I noticed that in certain cases it does not preserve the last two decimal places. For instance I type 1.01 and 1.04 for addition and I get back 2.04. If I type just 1.05 it preserves the number and returns it exactly. I get whats going on things are being rounded. I don't know how to prevent it from being rounded though. Should I just consider sending (1.01+1.04) to self as only one input?

Warning! I haven't tried this yet so don't know if its supported:

 user_input = (1.04+1.01) #entry from user
 user_input = gets.to_f
 user_input.to_test_string

What I have so far:

    class Float
     def to_test_string

      cents = self % 1
      dollars = self - cents
      cents = cents * 100

      text = "#{dollars.to_i.en.numwords} dollars and #{cents.to_i.en.numwords} cents"

      puts text
      text
     end
    end
  puts "Enter two great floating point numbers for adding"
  puts "First number"
  c = gets.to_f
  puts "Second number"
  d = gets.to_f
  e = c+d
  puts e.to_test_string
  puts "Enter a great floating number! Example 10.34"
  a = gets.to_f 
  puts a.to_test_string

Thanks for the help! Post some code up so I can try!

Nakilon
  • 32,203
  • 13
  • 95
  • 132
Matt
  • 559
  • 6
  • 15
  • 27

3 Answers3

2

First of all: never use float for money — Use Float or Decimal for Accounting Application Dollar Amount?

irb> x = 1.01 + 1.04
=> 2.05
irb> y = x % 1
=> 0.04999999999999982
irb> (y * 100).to_i
=> 4

But if want it VERYVERYVERY much:

irb> (y * 100).round.to_i
=> 5
Community
  • 1
  • 1
Nakilon
  • 32,203
  • 13
  • 95
  • 132
2
$ python
Python 2.6.2 (release26-maint, Apr 19 2009, 01:56:41)
[GCC 4.3.3] on linux2
Type "help", "copyright", "credits" or "license" for more information.
>>> 1.04+1.01
2.0499999999999998

Read this: What Every Computer Scientist Should Know About Floating-Point Arithmetic

Also, what Nakilon said.

Wodin
  • 2,905
  • 1
  • 22
  • 47
1

This is not a problem with ruby, nor your code (although you need to get rid of .en.numwords); it is a problem with the binary floating point representation.

You should use a Fixnum or Bignum to represent the currency.

eg.

class Currency
    def initialize str
        unless str =~ /([0-9]+)\.([0-9]{2})/
            raise 'invalid currency string'
        end
        @cents = $1.to_i * 100 + $2.to_i
    end
end
david4dev
  • 4,656
  • 2
  • 23
  • 33