如何显示小于两位数字的所有数字的前导零?

1    →  01
10   →  10
100  →  100

当前回答

Use:

'00'[len(str(i)):] + str(i)

或者使用数学模块:

import math
'00'[math.ceil(math.log(i, 10)):] + str(i)

其他回答

我是这样做的:

str(1).zfill(len(str(total)))

基本上zfill取你想加的前导零的个数,所以很容易取最大的数字,把它转换成字符串并得到长度,像这样:

Python 3.6.5 (default, May 11 2018, 04:00:52) 
[GCC 8.1.0] on linux
Type "help", "copyright", "credits" or "license" for more information.
>>> total = 100
>>> print(str(1).zfill(len(str(total))))
001
>>> total = 1000
>>> print(str(1).zfill(len(str(total))))
0001
>>> total = 10000
>>> print(str(1).zfill(len(str(total))))
00001
>>> 
print('{:02}'.format(1))
print('{:02}'.format(10))
print('{:02}'.format(100))

打印:

01
10
100
width = 5
num = 3
formatted = (width - len(str(num))) * "0" + str(num)
print formatted

你可以使用str.zfill:

print(str(1).zfill(2))
print(str(10).zfill(2))
print(str(100).zfill(2))

打印:

01
10
100

它内置在python中,具有字符串格式

f'{number:02d}'