Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Why can't I divide a fixnum by another fixnum?

I'm currently trying to divide counts["email"] a hash containing the number 82,000 by a variable total which contains the value 1.3 million.

When I run puts counts["email"]/total I get 0.

Why can't I perform division on these?

like image 207
Zack Shapiro Avatar asked Jun 25 '12 21:06

Zack Shapiro


2 Answers

You are performing division, although not the one you expected. There are many different ways to divide integers in Ruby:

# Integer division:
5 / 4     # => 1

# Floating point division:
5.fdiv(4) # => 1.25

# Rational division:
5.quo(4)  # => Rational(5, 4)

You can also convert one of your integers to a Float or a Rational:

5.to_f / 4 # => 1.25
5.to_r / 4 # => Rational(5, 4)

Note that first calling fdiv directly is faster than calling to_f and then using the / operator. It also makes it clear that you are using floating point division.

like image 192
Marc-André Lafortune Avatar answered Nov 04 '22 12:11

Marc-André Lafortune


Because that's how Ruby works: when you divide integer to integer, you get an integer. In this case that'll be 0, because it's the integer part of the result.

To get the float result, just tell Ruby that you actually need a float! There're many ways to do it, I guess the most simple would be just convert one of the operand to Float...

puts counts["email"]/total.to_f
like image 7
raina77ow Avatar answered Nov 04 '22 12:11

raina77ow