显示带前导零的数字

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

1    →  0110   →  10100  →  100
1301924 次浏览
x = [1, 10, 100]for i in x:print '%02d' % i

结果:

0110100

有关使用%的字符串格式的更多信息留档。

在Python 2(和Python 3)中,您可以执行以下操作:

number = 1print("%02d" % (number,))

基本上%类似于printfsprintf(见文档)。


对于Python 3.+,同样的行为也可以用#0实现:

number = 1print("{:02d}".format(number))

对于Python 3.6+,可以使用f字串实现相同的行为:

number = 1print(f"{number:02d}")

使用格式字符串-http://docs.python.org/lib/typesseq-strings.html

例如:

python -c 'print "%(num)02d" % {"num":5}'

在Python 2.6+和3.0+中,您将使用#0字符串方法:

for i in (1, 10, 100):print('{num:02d}'.format(num=i))

或使用内置(对于单个数字):

print(format(i, '02d'))

有关新的格式化功能,请参阅PEP-3101留档。

您可以使用#0

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

印刷品:

0110100

或者这个:

print '{0:02d}'.format(1)

Pythonic方法来做到这一点:

str(number).rjust(string_width, fill_char)

这样,如果原始字符串的长度大于string_width,则返回不变。示例:

a = [1, 10, 100]for num in a:print str(num).rjust(2, '0')

结果:

0110100
print('{:02}'.format(1))print('{:02}'.format(10))print('{:02}'.format(100))

印刷品:

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

或者另一种解决方案。

"{:0>2}".format(number)

如果处理一个或两个数字的数字:

'0'+str(number)[-2:]'0{0}'.format(number)[-2:]

Python>=3.6中,您可以使用以下方法引入的新f字符串简洁地执行此操作:

f'{val:02}'

它打印名称为val的变量,值#10,值#32

对于您的特定示例,您可以在循环中很好地执行此操作:

a, b, c = 1, 10, 100for val in [a, b, c]:print(f'{val:02}')

其中打印:

0110100

有关f字符串的更多信息,请查看引入它们的PEP 498

用途:

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

或者使用math模块:

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

我是这样做的:

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

基本上,zill获取您要添加的前导零的数量,因此很容易获取最大的数字,将其转换为字符串并获取长度,如下所示:

Python 3.6.5 (default, May 11 2018, 04:00:52)[GCC 8.1.0] on linuxType "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>>>

你可以用f字符串来做。

import numpy as np
print(f'{np.random.choice([1, 124, 13566]):0>8}')

这将打印8的恒定长度,并用前导0填充其余部分。

000000010000012400013566

所有这些都会创建字符串“01”:

>python -m timeit "'{:02d}'.format(1)"1000000 loops, best of 5: 357 nsec per loop
>python -m timeit "'{0:0{1}d}'.format(1,2)"500000 loops, best of 5: 607 nsec per loop
>python -m timeit "f'{1:02d}'"1000000 loops, best of 5: 281 nsec per loop
>python -m timeit "f'{1:0{2}d}'"500000 loops, best of 5: 423 nsec per loop
>python -m timeit "str(1).zfill(2)"1000000 loops, best of 5: 271 nsec per loop
>pythonPython 3.8.1 (tags/v3.8.1:1b293b6, Dec 18 2019, 23:11:46) [MSC v.1916 64 bit (AMD64)] on win32

这将是Python的方式,尽管我将包括清晰的参数-“{0:0>2}”. form(数字),如果有人想要nLeadingZeros,他们应该注意他们也可以这样做:“{0:0>{1}}”。

你也可以这样做:

'{:0>2}'.format(1)

这将返回一个字符串。

它内置在带有字符串格式的python中

f'{number:02d}'