python2.6 以降、文字列をフォーマットするための新しい関数 str.format() が追加されました。これは非常に強力です。では、以前の % 形式の文字列と比較して、どのような利点があるのでしょうか?その恥じらいを暴いてみましょう。
構文
それは、%
位置メソッドの書式設定
>>> '{}.{}'.format('pythontab', 'com') 'pythontab.com' >>> '{}.{}.{}'.format('www', 'pythontab', 'com') 'www.pythontab.com' >>> '{1}.{2}'.format('www', 'pythontab', 'com') 'pythontab.com' >>> '{1}.{2} | {0}.{1}.{2}'.format('www', 'pythontab', 'com') 'pythontab.com | www.pythontab.com'
の代わりに、{} を使用します
>>> '{domain}, {year}'.format(domain='www.pythontab.com', year=2016) 'www.pythontab.com, 2016' >>> '{domain} ### {year}'.format(domain='www.pythontab.com', year=2016) 'www.pythontab.com ### 2016' >>> '{domain} ### {year}'.format(year=2016,domain='www.pythontab.com') 'www.pythontab.com ### 2016'文字列の書式関数は、無制限のパラメータを受け入れることができ、パラメータの位置は順不同であり、パラメータは省略できますまたは複数回使用され、非常に柔軟です
注: python2.6 では空の {} にすることはできませんが、python2.7 以降では使用できます。
キーワードパラメータ別
>>> class website: def __init__(self,name,type): self.name,self.type = name,type def __str__(self): return 'Website name: {self.name}, Website type: {self.type} '.format(self=self) >>> print str(website('pythontab.com', 'python')) Website name: pythontab.com, Website type: python >>> print website('pythontab.com', 'python') Website name: pythontab.com, Website type: python
オブジェクトプロパティ別
>>> '{0[1]}.{0[0]}.{1}'.format(['pyhtontab', 'www'], 'com') 'www.pyhtontab.com'
>>> '{:>10}'.format(2016) ' 2016' >>> '{:#>10}'.format(2016) '######2016' >>> '{:0>10}'.format(2016) '0000002016'これらの便利な「マッピング」メソッドを使用すると、遅延ツールが得られます。 Python の基本的な知識によれば、リストとタプルは関数の通常のパラメータに「分割」できるのに対し、dict は関数のキーワード パラメータ (through と *) に分割できることがわかります。したがって、リスト/タプル/辞書を format 関数に簡単に渡すことができ、非常に柔軟です。
フォーマット修飾子
次のような豊富な「フォーマット修飾子」(構文は、記号が入った {} です)があります。
パディングとアライメント
パディングは、アライメントと一緒によく使用されます
^ 、
はそれぞれ中央揃え、左揃え、右揃えで、その後に幅が続きます : 記号の後のパディング文字は 1 文字のみです。指定しない場合は、デフォルトでスペースで埋められます。コード例:
>>> '{:.2f}'.format(2016.0721) '2016.07'
数値精度 精度は f 型と一緒によく使用されます
精度は f>>> '{:b}'.format(2016) '11111100000' >>> '{:d}'.format(2016) '2016' >>> '{:o}'.format(2016) '3740' >>> '{:x}'.format(2016) '7e0' >>>型と一緒によく使用されます。ここで、.2 は長さ 2 の精度を表し、f は float 型を表します。
他の型
は主に基数に基づいており、b、d、o、x はそれぞれ 2 進数、10 進数、8 進数、16 進数です。>>> '{:,}'.format(20160721) '20,160,721'数字を使用すると、金額の千単位の区切り文字としても使用できます。 🎜rrreee🎜形式は非常に強力で、多くの機能を試してみることができます。 🎜