web-dev-qa-db-ja.com

dict文字列出力をうまくフォーマットする方法

このようなdict出力の文字列をフォーマットする簡単な方法があるのだろうか?

{
  'planet' : {
    'name' : 'Earth',
    'has' : {
      'plants' : 'yes',
      'animals' : 'yes',
      'cryptonite' : 'no'
    }
  }
}

...、単純なstr(dict)を使用すると、非常に読みにくい...

{'planet' : {'has': {'plants': 'yes', 'animals': 'yes', 'cryptonite': 'no'}, 'name': 'Earth'}}

Pythonについて知っている限りでは、多くの特別なケースとstring.replace()呼び出しで多くのコードを書く必要があります。 -行の問題。

この形状に応じて辞書をフォーマットする最も簡単な方法を提案してください。

55
erikbwork

出力の処理内容に応じて、1つのオプションは表示にJSONを使用することです。

import json
x = {'planet' : {'has': {'plants': 'yes', 'animals': 'yes', 'cryptonite': 'no'}, 'name': 'Earth'}}

print json.dumps(x, indent=2)

出力:

{
  "planet": {
    "has": {
      "plants": "yes", 
      "animals": "yes", 
      "cryptonite": "no"
    }, 
    "name": "Earth"
  }
}

このアプローチの注意点は、JSONによってシリアル化できないものがあることです。 dictにクラスや関数などのシリアル化できない項目が含まれている場合、いくつかの追加コードが必要になります。

88
David Narayan

Pprintを使用する

import pprint

x  = {
  'planet' : {
    'name' : 'Earth',
    'has' : {
      'plants' : 'yes',
      'animals' : 'yes',
      'cryptonite' : 'no'
    }
  }
}
pp = pprint.PrettyPrinter(indent=4)
pp.pprint(x)

この出力

{   'planet': {   'has': {   'animals': 'yes',
                             'cryptonite': 'no',
                             'plants': 'yes'},
                  'name': 'Earth'}}

Pprintの書式設定をいじると、希望する結果が得られます。

37
pyfunc
def format(d, tab=0):
    s = ['{\n']
    for k,v in d.items():
        if isinstance(v, dict):
            v = format(v, tab+1)
        else:
            v = repr(v)

        s.append('%s%r: %s,\n' % ('  '*tab, k, v))
    s.append('%s}' % ('  '*tab))
    return ''.join(s)

print format({'has': {'plants': 'yes', 'animals': 'yes', 'cryptonite': 'no'}, 'name': 'Earth'}})

出力:

{
'planet': {
  'has': {
    'plants': 'yes',
    'animals': 'yes',
    'cryptonite': 'no',
    },
  'name': 'Earth',
  },
}

私はすべてのキーが文字列、または少なくともここできれいなオブジェクトであると仮定していることに注意してください

6
Knio