如何将 python 中的数字降为整数

How to floor numbers to whole number in python

我想知道如何在 python 中将 1,999,999 降低到 1,000,000 或将 2,000,108 降低到 2,000,000? 我使用了 math.floor() 但它只是为了删除小数部分。

就这样吧:

math.floor(num / 1000000) * 1000000

例如:

>>> num=1999999
>>> math.floor(num / 1000000) * 1000000
1000000.0
>>> num=2000108
>>> math.floor(num / 1000000) * 1000000
2000000.0

将正整数向下舍入到第一位

from math import floor

def r(n):
    gr = 10 ** (len(str(n))-1)
    return floor(n / gr) * gr

for i in [199_999, 200_100, 2_100, 315]:
    print(r(i))

输出

100000
200000
2000
300
def floor_integer(num):
    l = str(num)
    return int(l[0]) * pow(10, len(l) - 1)

我认为这将满足您的需求。

print(floor_integer(5))
# 5

print(floor_integer(133))
# 100

print(floor_integer(1543))
# 1000

print(floor_integer(488765))
# 400000

print(floor_integer(1999999))
# 1000000

print(floor_integer(2000108))
# 2000000