用左边的零填充数字字符串的最Pythonic方法是什么,即数字字符串是否具有特定的长度?
答案 0 :(得分:1918)
的字符串:
>>> n = '4'
>>> print(n.zfill(3))
004
对于数字:
>>> n = 4
>>> print('%03d' % n)
004
>>> print(format(n, '03')) # python >= 2.6
004
>>> print('{0:03d}'.format(n)) # python >= 2.6
004
>>> print('{foo:03d}'.format(foo=n)) # python >= 2.6
004
>>> print('{:03d}'.format(n)) # python >= 2.7 + python3
004
>>> print('{0:03d}'.format(n)) # python 3
004
>>> print(f'{n:03}') # python >= 3.6
004
答案 1 :(得分:307)
只需使用字符串对象的rjust方法。
此示例将生成一个长度为10个字符的字符串,并根据需要进行填充。
>>> t = 'test'
>>> t.rjust(10, '0')
>>> '000000test'
答案 2 :(得分:92)
对于数字:
print "%05d" % number
另请参阅:Python: String formatting。
编辑:值得注意的是,从昨天的 2008年12月3日开始,这种格式化方法已弃用,而采用format
字符串方法:< / p>
print("{0:05d}".format(number)) # or
print(format(number, "05d"))
有关详细信息,请参阅PEP 3101。
答案 3 :(得分:47)
适用于Python 2和Python 3:
>>> "{:0>2}".format("1") # Works for both numbers and strings.
'01'
>>> "{:02}".format(1) # Only works for numbers.
'01'
答案 4 :(得分:47)
>>> '99'.zfill(5)
'00099'
>>> '99'.rjust(5,'0')
'00099'
如果你想要相反的话:
>>> '99'.ljust(5,'0')
'99000'
答案 5 :(得分:34)
str(n).zfill(width)
适用于string
s,int
s,float
s ...并且是Python 2. x 和3。 x 兼容:
>>> n = 3
>>> str(n).zfill(5)
'00003'
>>> n = '3'
>>> str(n).zfill(5)
'00003'
>>> n = '3.0'
>>> str(n).zfill(5)
'003.0'
答案 6 :(得分:17)
对于那些来这里了解而不仅仅是快速回答的人。 我特别为时间字符串做这些:
hour = 4
minute = 3
"{:0>2}:{:0>2}".format(hour,minute)
# prints 04:03
"{:0>3}:{:0>5}".format(hour,minute)
# prints '004:00003'
"{:0<3}:{:0<5}".format(hour,minute)
# prints '400:30000'
"{:$<3}:{:#<5}".format(hour,minute)
# prints '4$$:3####'
“0”符号用“2”填充字符替换什么,默认为空格
“&gt;” 中符号将所有2“0”字符对齐到字符串的左侧
“:”符号format_spec
答案 7 :(得分:15)
width = 10
x = 5
print "%0*d" % (width, x)
> 0000000005
有关所有令人兴奋的详细信息,请参阅打印文档!
Python 3.x更新(7。5年后)
现在最后一行应该是:
print("%0*d" % (width, x))
即。 print()
现在是一个函数,而不是一个声明。请注意,我仍然更喜欢Old School printf()
风格,因为,IMNSHO,它读起来更好,因为,嗯,我从1980年1月开始使用这种符号。某些东西......老狗......某种东西。 ..新技巧。
答案 8 :(得分:14)
最简单的方法是用数字零填充左边的零,即数字字符串有特定的长度?
str.zfill
专门用于执行此操作:
>>> '1'.zfill(4)
'0001'
请注意,它专门用于按要求处理数字字符串,并将+
或-
移动到字符串的开头:
>>> '+1'.zfill(4)
'+001'
>>> '-1'.zfill(4)
'-001'
这是str.zfill
上的帮助:
>>> help(str.zfill)
Help on method_descriptor:
zfill(...)
S.zfill(width) -> str
Pad a numeric string S with zeros on the left, to fill a field
of the specified width. The string S is never truncated.
这也是替代方法中最有效的方法:
>>> min(timeit.repeat(lambda: '1'.zfill(4)))
0.18824880896136165
>>> min(timeit.repeat(lambda: '1'.rjust(4, '0')))
0.2104538488201797
>>> min(timeit.repeat(lambda: f'{1:04}'))
0.32585487607866526
>>> min(timeit.repeat(lambda: '{:04}'.format(1)))
0.34988890308886766
要使用%
方法最好地将苹果与苹果进行比较(请注意,它实际上要慢一些),否则该方法会预先计算:
>>> min(timeit.repeat(lambda: '1'.zfill(0 or 4)))
0.19728074967861176
>>> min(timeit.repeat(lambda: '%04d' % (0 or 1)))
0.2347015216946602
稍作挖掘,我在Objects/stringlib/transmogrify.h
中发现了zfill
方法的实现:
static PyObject *
stringlib_zfill(PyObject *self, PyObject *args)
{
Py_ssize_t fill;
PyObject *s;
char *p;
Py_ssize_t width;
if (!PyArg_ParseTuple(args, "n:zfill", &width))
return NULL;
if (STRINGLIB_LEN(self) >= width) {
return return_self(self);
}
fill = width - STRINGLIB_LEN(self);
s = pad(self, fill, 0, '0');
if (s == NULL)
return NULL;
p = STRINGLIB_STR(s);
if (p[fill] == '+' || p[fill] == '-') {
/* move sign to beginning of string */
p[0] = p[fill];
p[fill] = '0';
}
return s;
}
让我们看一下这段C代码。
它首先在位置上解析参数,这意味着它不允许关键字参数:
>>> '1'.zfill(width=4)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: zfill() takes no keyword arguments
然后检查它的长度是否相同或更长,在这种情况下,它将返回字符串。
>>> '1'.zfill(0)
'1'
zfill
调用pad
(pad
,ljust
和rjust
也调用此center
函数)。基本上,将内容复制到新的字符串中并填充填充。
static inline PyObject *
pad(PyObject *self, Py_ssize_t left, Py_ssize_t right, char fill)
{
PyObject *u;
if (left < 0)
left = 0;
if (right < 0)
right = 0;
if (left == 0 && right == 0) {
return return_self(self);
}
u = STRINGLIB_NEW(NULL, left + STRINGLIB_LEN(self) + right);
if (u) {
if (left)
memset(STRINGLIB_STR(u), fill, left);
memcpy(STRINGLIB_STR(u) + left,
STRINGLIB_STR(self),
STRINGLIB_LEN(self));
if (right)
memset(STRINGLIB_STR(u) + left + STRINGLIB_LEN(self),
fill, right);
}
return u;
}
在调用pad
之后,zfill
将所有原来在+
或-
之前的内容移到字符串的开头。
请注意,原始字符串实际上不需要是数字:
>>> '+foo'.zfill(10)
'+000000foo'
>>> '-foo'.zfill(10)
'-000000foo'
答案 9 :(得分:7)
使用Python Traceback (most recent call last):
File "volume_alter.py", line 19, in <module>
adjust_volume("./targets/"+target, 10)
File "volume_alter.py", line 10, in adjust_volume
song = AudioSegment.from_mp3(file_name)
File "/usr/local/lib/python2.7/dist-packages/pydub/audio_segment.py", line 716, in from_mp3
return cls.from_file(file, 'mp3', parameters=parameters)
File "/usr/local/lib/python2.7/dist-packages/pydub/audio_segment.py", line 665, in from_file
info = mediainfo_json(orig_file)
File "/usr/local/lib/python2.7/dist-packages/pydub/utils.py", line 263, in mediainfo_json
res = Popen(command, stdin=stdin_parameter, stdout=PIPE, stderr=PIPE)
File "/usr/lib/python2.7/subprocess.py", line 394, in __init__
errread, errwrite)
File "/usr/lib/python2.7/subprocess.py", line 1047, in _execute_child
raise child_exception
OSError: [Errno 2] No such file or directory
时,最干净的方法是将f-strings与string formatting结合使用:
>= 3.6
>>> s = f"{1:08}" # inline with int
>>> s
'00000001'
>>> s = f"{'1':0>8}" # inline with str (works also for ints)
>>> s
'00000001'
>>> n = 1
>>> s = f"{n:08}" # int variable
>>> s
'00000001'
答案 10 :(得分:4)
>>> width = 4
>>> x = 5
>>> print("%0*d" %(width,x))
>>> 00005
这将在python 3.x中运行
答案 11 :(得分:4)
对于保存为整数的邮政编码:
>>> a = 6340
>>> b = 90210
>>> print '%05d' % a
06340
>>> print '%05d' % b
90210
答案 12 :(得分:4)
我要添加一个如何从f字符串中的字符串长度使用int的方法,因为它似乎没有被覆盖:
>>> pad_number = len("this_string")
11
>>> s = f"{1:0{pad_number}}" }
>>> s
'00000000001'
答案 13 :(得分:2)
快速时间比较:
setup = '''
from random import randint
def test_1():
num = randint(0,1000000)
return str(num).zfill(7)
def test_2():
num = randint(0,1000000)
return format(num, '07')
def test_3():
num = randint(0,1000000)
return '{0:07d}'.format(num)
def test_4():
num = randint(0,1000000)
return format(num, '07d')
def test_5():
num = randint(0,1000000)
return '{:07d}'.format(num)
def test_6():
num = randint(0,1000000)
return '{x:07d}'.format(x=num)
def test_7():
num = randint(0,1000000)
return str(num).rjust(7, '0')
'''
import timeit
print timeit.Timer("test_1()", setup=setup).repeat(3, 900000)
print timeit.Timer("test_2()", setup=setup).repeat(3, 900000)
print timeit.Timer("test_3()", setup=setup).repeat(3, 900000)
print timeit.Timer("test_4()", setup=setup).repeat(3, 900000)
print timeit.Timer("test_5()", setup=setup).repeat(3, 900000)
print timeit.Timer("test_6()", setup=setup).repeat(3, 900000)
print timeit.Timer("test_7()", setup=setup).repeat(3, 900000)
> [2.281613943830961, 2.2719342631547077, 2.261691106209631]
> [2.311480238815406, 2.318420542148333, 2.3552384305184493]
> [2.3824197456864304, 2.3457239951596485, 2.3353268829498646]
> [2.312442972404032, 2.318053102249902, 2.3054072168069872]
> [2.3482314132374853, 2.3403386400002475, 2.330108825844775]
> [2.424549090688892, 2.4346475296851438, 2.429691196530058]
> [2.3259756401716487, 2.333549212826732, 2.32049893822186]
我对不同的重复进行了不同的测试。差异并不大,但在所有测试中,zfill
解决方案都是最快的。
答案 14 :(得分:1)
另一种方法是将列表理解与长度条件检查结合使用。下面是一个演示:
# input list of strings that we want to prepend zeros
In [71]: list_of_str = ["101010", "10101010", "11110", "0000"]
# prepend zeros to make each string to length 8, if length of string is less than 8
In [83]: ["0"*(8-len(s)) + s if len(s) < desired_len else s for s in list_of_str]
Out[83]: ['00101010', '10101010', '00011110', '00000000']
答案 15 :(得分:1)
也可以:
h = 2
m = 7
s = 3
print("%02d:%02d:%02d" % (h, m, s))
所以输出将是:“ 02:07:03”
答案 16 :(得分:1)
我做了一个功能:
def PadNumber(number, n_pad, add_prefix=None):
number_str = str(number)
paded_number = number_str.zfill(n_pad)
if add_prefix:
paded_number = add_prefix+paded_number
print(paded_number)
PadNumber(99, 4)
PadNumber(1011, 8, "b'")
PadNumber('7BEF', 6, "#")
输出:
0099
b'00001011
#007BEF
答案 17 :(得分:0)
对于数字:
i = 2
print(f"{i:05d}")
输出
00005
答案 18 :(得分:-2)
您也可以重复“0”,将其添加到str(n)
并获取最右边的宽度切片。快速而肮脏的小表达。
def pad_left(n, width, pad="0"):
return ((pad * width) + str(n))[-width:]