我想用空格填充字符串。我知道下面的方法适用于0:
>>> print "'%06d'"%4
'000004'
但我想要这个的时候该怎么办呢?:
'hi '
当然,我可以测量字符串长度和做str+" "*剩,但我想要最短的方式。
我想用空格填充字符串。我知道下面的方法适用于0:
>>> print "'%06d'"%4
'000004'
但我想要这个的时候该怎么办呢?:
'hi '
当然,我可以测量字符串长度和做str+" "*剩,但我想要最短的方式。
当前回答
你也可以居中你的字符串:
'{0: ^20}'.format('nice')
其他回答
使用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: ^20}'.format('nice')
使用切片不是更python化吗?
例如,用空格填充一个字符串,直到它有10个字符长:
>>> x = "string"
>>> (x + " " * 10)[:10]
'string '
在左边填充空格,直到它有15个字符长:
>>> (" " * 15 + x)[-15:]
' string'
当然,它需要知道你想要填充的长度,但它不需要测量你开始时的字符串长度。
对于一个灵活的方法,即使在格式化复杂的字符串时也能工作,你可能应该使用字符串格式化迷你语言,
使用任意一个f字符串
>>> f'{"Hi": <16} StackOverflow!' # Python >= 3.6
'Hi StackOverflow!'
或者str.format()方法
>>> '{0: <16} StackOverflow!'.format('Hi') # Python >=2.6
'Hi StackOverflow!'
正确的方法是使用官方文档中描述的Python格式语法
对于这种情况,它将简单地为: {10} .format(“嗨”) 输出: “嗨”
解释:
format_spec ::= [[fill]align][sign][#][0][width][,][.precision][type]
fill ::= <any character>
align ::= "<" | ">" | "=" | "^"
sign ::= "+" | "-" | " "
width ::= integer
precision ::= integer
type ::= "b" | "c" | "d" | "e" | "E" | "f" | "F" | "g" | "G" | "n" | "o" | "s" | "x" | "X" | "%"
你所需要知道的就是这些^。
更新: 从python 3.6开始,字面值字符串插值更加方便!
foo = 'foobar'
print(f'{foo:10} is great!')
# foobar is great!