我想用空格填充字符串。我知道下面的方法适用于0:
>>> print "'%06d'"%4
'000004'
但我想要这个的时候该怎么办呢?:
'hi '
当然,我可以测量字符串长度和做str+" "*剩,但我想要最短的方式。
我想用空格填充字符串。我知道下面的方法适用于0:
>>> print "'%06d'"%4
'000004'
但我想要这个的时候该怎么办呢?:
'hi '
当然,我可以测量字符串长度和做str+" "*剩,但我想要最短的方式。
当前回答
字符串格式方法允许您使用嵌套的关键字参数做一些有趣的事情。最简单的例子:
>>> '{message: <16}'.format(message='Hi')
'Hi '
如果你想把16作为一个变量传入:
>>> '{message: <{width}}'.format(message='Hi', width=16)
'Hi '
如果你想传入整个工具包的变量,那么:
'{message:{fill}{align}{width}}'.format(
message='Hi',
fill=' ',
align='<',
width=16,
)
结果是(你猜对了):
'Hi '
对于所有这些,你可以使用python 3.6+ f-strings:
message = 'Hi'
fill = ' '
align = '<'
width = 16
f'{message:{fill}{align}{width}}'
当然,结果是:
'Hi '
其他回答
使用str.ljust ():
>>> 'Hi'.ljust(6)
'Hi '
你还应该考虑string.zfill(), str.rjust()和str.center()来格式化字符串。它们可以被链接,并指定'fill'字符,如下所示:
>>> ('3'.zfill(8) + 'blind'.rjust(8) + 'mice'.ljust(8, '.')).center(40)
' 00000003 blindmice.... '
这些字符串格式化操作具有在Python v2和v3中工作的优点。
找个时间看看pydoc str:里面有很多好东西。
只要去掉0,它就会添加空格:
>>> print "'%6d'"%4
从Python 3.6开始,你可以这样做
>>> strng = 'hi'
>>> f'{strng: <10}'
字面值字符串插值。
或者,如果你的填充大小是一个变量,就像这样(谢谢@Matt M.!):
>>> to_pad = 10
>>> f'{strng: <{to_pad}}'
你可以使用列表理解,这也会给你一个关于空格数量的想法,这将是一行。
"hello" + " ".join([" " for x in range(1,10)])
output --> 'hello '
博士TL;
text = 'hi'
print(f'{text:10}') # 'hi '
更详细的解释
从Python3.6开始,可以使用f-strings文字插补。
变量空间:
value = 4
space = 10
# move value to left
print(f'foo {value:<{space}} bar') # foo 4 bar
# move value to right
print(f'foo {value:>{space}} bar') # foo 4 bar
# center value
print(f'foo {value:^{space}} bar') # foo 4 bar
恒定的空间:
value = 4
# move value to left
print(f'foo {value:<10} bar') # foo 4 bar
# move value to right
print(f'foo {value:>10} bar') # foo 4 bar
# center value
print(f'foo {value:^10} bar') # foo 4 bar
如果你想用其他char then space填充,在开头指定它:
value = 4
space = 10
padd = '_'
print(f'foo {value:{padd}^{space}} bar') # foo ____4_____ bar
print(f'foo {value:_^10} bar') # foo ____4_____ bar