web-dev-qa-db-ja.com

python-3.xの辞書を使用して文字列をフォーマットするにはどうすればよいですか?

私は辞書を使って文字列をフォーマットするのが大好きです。これは、使用している文字列形式を読むのに役立ちます。また、既存の辞書を活用できます。例えば:

class MyClass:
    def __init__(self):
        self.title = 'Title'

a = MyClass()
print 'The title is %(title)s' % a.__dict__

path = '/path/to/a/file'
print 'You put your file here: %(path)s' % locals()

ただし、同じことを行うためのpython 3.x構文を理解することはできません(または可能であれば)。私は次のことをしたいです

# Fails, KeyError 'latitude'
geopoint = {'latitude':41.123,'longitude':71.091}
print '{latitude} {longitude}'.format(geopoint)

# Succeeds
print '{latitude} {longitude}'.format(latitude=41.123,longitude=71.091)
174
Doran

これはあなたに良いですか?

geopoint = {'latitude':41.123,'longitude':71.091}
print('{latitude} {longitude}'.format(**geopoint))
338
cocoatomo

辞書をキーワード引数に展開するには、**を使用します。また、新しいスタイルの書式設定では、オブジェクトの属性とマッピングのアイテムの参照がサポートされています。

'{0[latitude]} {0[longitude]}'.format(geopoint)
'The title is {0.title}s'.format(a) # the a from your first example
72
user395760

Python 3.0および3.1はEOL化されており、誰も使用していないため、 str.format_map(mapping) (Python 3.2+)を使用できます。

str.format(**mapping)と同様、。ただし、マッピングは直接使用され、dictにはコピーされません。これは、たとえばマッピングがdictサブクラスである場合に便利です。

これが意味することは、例えば、欠落しているキーのデフォルト値を設定する(そして返す)defaultdictを使用できるということです:

>>> 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。ディクショナリ内のキーが多いほど、おそらく違いは大きくなります。


ただし、フォーマット言語はそれよりもはるかに柔軟であることに注意してください。インデックス付きの式、属性アクセスなどを含めることができるため、canオブジェクト全体、または2つをフォーマットできます。

>>> 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'

ネストされた引用符内でother引用符文字を使用することを忘れないでください。このアプローチのもう1つの利点は、 フォーマットメソッドを呼び出す よりもはるかに高速であることです。

48
Antti Haapala
print("{latitude} {longitude}".format(**geopoint))
15
S.Lott

質問はPython 3に固有のものであるため、ここでは 新しいf-string構文 を使用しています。

>>> geopoint = {'latitude':41.123,'longitude':71.091}
>>> print(f'{geopoint["latitude"]} {geopoint["longitude"]}')
41.123 71.091

外側の単一引用符と内側の二重引用符に注意してください(逆の方法でも可能です)。

6
Wyrmwood

Python 2構文は、Python 3でも機能します。

>>> class MyClass:
...     def __init__(self):
...         self.title = 'Title'
... 
>>> a = MyClass()
>>> print('The title is %(title)s' % a.__dict__)
The title is Title
>>> 
>>> path = '/path/to/a/file'
>>> print('You put your file here: %(path)s' % locals())
You put your file here: /path/to/a/file
5
Lennart Regebro

ほとんどの回答は、辞書の値のみをフォーマットしました。

キーもフォーマットするを文字列にしたい場合は、dict.items()を使用できます:

geopoint = {'latitude':41.123,'longitude':71.091}
print("{} {}".format(*geopoint.items()))

出力:

(「緯度」、41.123)(「経度」、71.091)

任意の形式でフォーマットする場合、つまり、タプルのようなKey-Valueを表示しない場合:

from functools import reduce
print("{} is {} and {} is {}".format(*reduce((lambda x, y: x + y), [list(item) for item in geopoint.items()])))

出力:

緯度は41.123、経度は71.091

0
Victor Val