5

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?

Zack Shapiro
  • 6,648
  • 17
  • 83
  • 151

3 Answers3

9

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.

Marc-André Lafortune
  • 78,216
  • 16
  • 166
  • 166
7

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
raina77ow
  • 103,633
  • 15
  • 192
  • 229
  • 3
    Not just Ruby, this is the behavior of a majority of programming languages! Converting the denominator to a float isn't the only way to solve this either. If mathematical accuracy is desired, `Rational(counts["email"], total)` would be superior. Note that `Rational` is in the standard library in versions prior to 1.9. – Max Jun 25 '12 at 21:35
  • I guess the moot point is whether the language dynamically- or statically-typed. Perl, JavaScript and PHP (the languages I worked with the most) would print the float value here - even though the latter has the 'Float' type. – raina77ow Jun 25 '12 at 21:39
  • 1
    Ruby and Python 2.7 (not Python 3) are dynamically typed languages where integer division results in the integer quotient rather than a float. – Max Jun 25 '12 at 21:43
  • Somehow I never knew they changed it in Python 3... Amazing. – raina77ow Jun 25 '12 at 21:46
  • @raina77ow: Ruby and Python are dynamically and *strongly* typed, but PHP, Perl, and JavaScript are dynamically and *weakly* typed. – jmdeldin Jun 26 '12 at 05:28
0

You need to use floats in order to get the "full" result.

counts["email"] / total.to_f
tomferon
  • 4,993
  • 1
  • 23
  • 44