In Python 2.x, dividing two integers by default dives you another integer. This is often confusing, and has been fixed in Python 3.x. You can bypass it by casting one of the numbers to a float, which will automatically cast the other:
float( 14 ) / 4 == 3.5
The relevant PEP is number 238:
The current division (/) operator has
an ambiguous meaning for
numerical arguments: it returns the floor of the mathematical
result of division if the arguments are ints or longs, but it
returns a reasonable approximation of the division result if the
arguments are floats or complex. This makes expressions expecting
float or complex results error-prone when integers are not
expected but possible as inputs.
It was not changed in Python 2.x because of severe backwards-compatibility issues, but was one of the major changes in Python 3.x. You can force the new division with the line
from __future__ import division
at the top of your Python script. This is a __future__
-import -- it is used to force syntax changes that otherwise might break your script. There are many other __future__
imports; they are often a good idea to use in preparation for a move to Python 3.x.
Note that the //
operator always means integer division; if you really want this behaviour, you should use it in preference to /
. Remember, "explicit is better than implicit"!