字符串格式的基础知识
foo = 1
bar = 'bar'
baz = 3.14
你可以使用 str.format
格式化输出。括号对将按参数传递的顺序替换为参数:
print('{}, {} and {}'.format(foo, bar, baz))
# Out: "1, bar and 3.14"
索引也可以在括号内指定。这些数字对应于传递给 str.format
函数的参数的索引(从 0 开始)。
print('{0}, {1}, {2}, and {1}'.format(foo, bar, baz))
# Out: "1, bar, 3.14, and bar"
print('{0}, {1}, {2}, and {3}'.format(foo, bar, baz))
# Out: index out of range error
也可以使用命名参数:
print("X value is: {x_val}. Y value is: {y_val}.".format(x_val=2, y_val=3))
# Out: "X value is: 2. Y value is: 3."
传递给 str.format
时可以引用对象属性:
class AssignValue(object):
def __init__(self, value):
self.value = value
my_value = AssignValue(6)
print('My value is: {0.value}'.format(my_value)) # "0" is optional
# Out: "My value is: 6"
字典键也可以使用:
my_dict = {'key': 6, 'other_key': 7}
print("My other key is: {0[other_key]}".format(my_dict)) # "0" is optional
# Out: "My other key is: 7"
同样适用于 list 和 tuple 索引:
my_list = ['zero', 'one', 'two']
print("2nd element is: {0[2]}".format(my_list)) # "0" is optional
# Out: "2nd element is: two"
注意:除了
str.format
之外,Python 还提供了模运算符%
- 也称为字符串格式化或插值运算符 (参见 PEP 3101 ) - 用于格式化字符串。str.format
是%
的继承者,它提供了更大的灵活性,例如通过更容易进行多次替换。
除了参数索引之外,你还可以在大括号内包含格式规范。这是一个遵循特殊规则的表达式,必须以冒号(:
)开头。有关格式规范的完整说明,请参阅文档 。格式规范的一个例子是对齐指令:~^20
(^
代表中心对齐,总宽度 20,填充〜字符):
'{:~^20}'.format('centered')
# Out: '~~~~~~centered~~~~~~'
format
允许%
无法实现的行为,例如重复参数:
t = (12, 45, 22222, 103, 6)
print '{0} {2} {1} {2} {3} {2} {4} {2}'.format(*t)
# Out: 12 22222 45 22222 103 22222 6 22222
由于 format
是一个函数,它可以在其他函数中用作参数:
number_list = [12,45,78]
print map('the number is {}'.format, number_list)
# Out: ['the number is 12', 'the number is 45', 'the number is 78']
from datetime import datetime,timedelta
once_upon_a_time = datetime(2010, 7, 1, 12, 0, 0)
delta = timedelta(days=13, hours=8, minutes=20)
gen = (once_upon_a_time + x * delta for x in xrange(5))
print '\n'.join(map('{:%Y-%m-%d %H:%M:%S}'.format, gen))
#Out: 2010-07-01 12:00:00
# 2010-07-14 20:20:00
# 2010-07-28 04:40:00
# 2010-08-10 13:00:00
# 2010-08-23 21:20:00