Python – How to Round Up a Number

floating-pointintegerpythonrounding

How does one round a number UP in Python?

I tried round(number) but it rounds the number down. Here is an example:

round(2.3) = 2.0 

and not 3, as I would like.

Then I tried int(number + .5) but it round the number down again! Example:

int(2.3 + .5) = 2

Best Answer

The math.ceil (ceiling) function returns the smallest integer higher or equal to x.

For Python 3:

import math
print(math.ceil(4.2))

For Python 2:

import math
print(int(math.ceil(4.2)))
Related Question