python 对小数取整
时间: 2024-10-05 14:03:04 浏览: 28
在Python中,对小数进行取整有几种常见的方法:
1. **`int()` 函数**:这是一个内置函数,用于将浮点数转换为整数,丢弃小数部分。例如:
```python
num = 3.7
int_num = int(num)
print(int_num) # 输出:3
```
2. **`math.floor()` 函数**:这个函数来自`math`模块,向下取整到最接近的整数,小于或等于给定的数值。如果数字已经是整数,它不会改变:
```python
from math import floor
num = 3.9
floor_num = floor(num)
print(floor_num) # 输出:3
```
3. **`math.ceil()` 函数**:同样从`math`模块,向上取整到最接近的整数,大于或等于给定的数值:
```python
from math import ceil
num = 3.3
ceil_num = ceil(num)
print(ceil_num) # 输出:4
```
4. **`round()` 函数**:可以指定精确的小数位数,返回四舍五入后的整数:
```python
num = 3.5
rounded_num = round(num)
print(rounded_num) # 输出:4
round_num = round(num, 1) # 指定一位小数
print(round_num)
阅读全文