由于Python 3.0和3.1已停产,而且没有人使用它们,因此您可以并且应该使用str.format_map(mapping)
(Python 3.2+):
与相似str.format(**mapping)
,除了直接使用映射而不将其复制到dict
。例如,如果映射是dict
子类,则这很有用。
这意味着您可以使用例如defaultdict
为丢失的键设置(并返回)默认值的a:
>>> from collections import defaultdict
>>> vals = defaultdict(lambda: '<unset>', {'bar': 'baz'})
>>> 'foo is {foo} and bar is {bar}'.format_map(vals)
'foo is <unset> and bar is baz'
即使提供的映射是dict
,而不是子类,也可能会稍快一些。
鉴于给定,差异并不大
>>> d = dict(foo='x', bar='y', baz='z')
然后
>>> 'foo is {foo}, bar is {bar} and baz is {baz}'.format_map(d)
约比10 ns(2%)快
>>> 'foo is {foo}, bar is {bar} and baz is {baz}'.format(**d)
在我的Python 3.4.3上。当字典中有更多键时,差异可能会更大,并且
注意,格式语言比它灵活得多。它们可以包含索引表达式,属性访问等,因此您可以格式化整个对象或其中两个:
>>> p1 = {'latitude':41.123,'longitude':71.091}
>>> p2 = {'latitude':56.456,'longitude':23.456}
>>> '{0[latitude]} {0[longitude]} - {1[latitude]} {1[longitude]}'.format(p1, p2)
'41.123 71.091 - 56.456 23.456'
从3.6开始,您也可以使用插值字符串:
>>> f'lat:{p1["latitude"]} lng:{p1["longitude"]}'
'lat:41.123 lng:71.091'
您只需要记住在嵌套引号中使用其他引号字符。这种方法的另一个好处是,它比调用格式化方法要快得多。