これは辞書です
cars = {'A':{'speed':70,
'color':2},
'B':{'speed':60,
'color':3}}
このfor loop
を使う
for keys,values in cars.items():
print(keys)
print(values)
次のように表示されます。
B
{'color': 3, 'speed': 60}
A
{'color': 2, 'speed': 70}
しかし、私はプログラムがこのようにそれを印刷することを望みます:
B
color : 3
speed : 60
A
color : 2
speed : 70
私は辞書を勉強し始めたばかりなので、その方法がわからない。
for x in cars:
print (x)
for y in cars[x]:
print (y,':',cars[x][y])
出力:
A
color : 2
speed : 70
B
color : 3
speed : 60
任意に深くネストされた辞書とリストを扱うより一般化された解決策は以下のようになります。
def dumpclean(obj):
if isinstance(obj, dict):
for k, v in obj.items():
if hasattr(v, '__iter__'):
print k
dumpclean(v)
else:
print '%s : %s' % (k, v)
Elif isinstance(obj, list):
for v in obj:
if hasattr(v, '__iter__'):
dumpclean(v)
else:
print v
else:
print obj
これにより出力が生成されます。
A
color : 2
speed : 70
B
color : 3
speed : 60
私は同じようなニーズに遭遇し、私自身のための練習としてより堅牢な機能を開発しました。他の人にとって価値がある場合があるので、ここに含めます。 nosetestを実行する際に、sys.stderrを代わりに使用できるように、呼び出しで出力ストリームを指定できると便利です。
import sys
def dump(obj, nested_level=0, output=sys.stdout):
spacing = ' '
if isinstance(obj, dict):
print >> output, '%s{' % ((nested_level) * spacing)
for k, v in obj.items():
if hasattr(v, '__iter__'):
print >> output, '%s%s:' % ((nested_level + 1) * spacing, k)
dump(v, nested_level + 1, output)
else:
print >> output, '%s%s: %s' % ((nested_level + 1) * spacing, k, v)
print >> output, '%s}' % (nested_level * spacing)
Elif isinstance(obj, list):
print >> output, '%s[' % ((nested_level) * spacing)
for v in obj:
if hasattr(v, '__iter__'):
dump(v, nested_level + 1, output)
else:
print >> output, '%s%s' % ((nested_level + 1) * spacing, v)
print >> output, '%s]' % ((nested_level) * spacing)
else:
print >> output, '%s%s' % (nested_level * spacing, obj)
この関数を使用すると、OPの出力は次のようになります。
{
A:
{
color: 2
speed: 70
}
B:
{
color: 3
speed: 60
}
}
私は個人的にもっと有用で説明的であることがわかりました。
ちょっと些細な例:
{"test": [{1:3}], "test2":[(1,2),(3,4)],"test3": {(1,2):['abc', 'def', 'ghi'],(4,5):'def'}}
OPの要求された解決策はこれをもたらす:
test
1 : 3
test3
(1, 2)
abc
def
ghi
(4, 5) : def
test2
(1, 2)
(3, 4)
一方、「拡張」バージョンはこれをもたらします:
{
test:
[
{
1: 3
}
]
test3:
{
(1, 2):
[
abc
def
ghi
]
(4, 5): def
}
test2:
[
(1, 2)
(3, 4)
]
}
これがこの種の機能を探している次の人に何らかの価値を提供することを願っています。
これにはjson
モジュールを使うことができます。このモジュールのdumps
関数はJSONオブジェクトを適切な形式の文字列に変換してから印刷できます。
import json
cars = {'A':{'speed':70, 'color':2},
'B':{'speed':60, 'color':3}}
print(json.dumps(cars, indent = 4))
出力は次のようになります
{[.____。 "" A ":{[。____。" "色":2、 "スピード":70 }、 "B":{[ "色":3、 "スピード":60 } }
documentation もこのメソッドのためのたくさんの便利なオプションを指定しています。
入れ子構造を持っているので、入れ子辞書もフォーマットする必要があります。
for key, car in cars.items():
print(key)
for attribute, value in car.items():
print('{} : {}'.format(attribute, value))
これは印刷します:
A
color : 2
speed : 70
B
color : 3
speed : 60
上記のコメントの1つでMartijn Pietersが述べたように、PrettyPrintはこの仕事のための良いツールです。
>>> import pprint
>>> cars = {'A':{'speed':70,
... 'color':2},
... 'B':{'speed':60,
... 'color':3}}
>>> pprint.pprint(cars, width=1)
{'A': {'color': 2,
'speed': 70},
'B': {'color': 3,
'speed': 60}}
for car,info in cars.items():
print(car)
for key,value in info.items():
print(key, ":", value)
ツリーに2つのレベルしかないことがわかっていればこれは機能します。
for k1 in cars:
print(k1)
d = cars[k1]
for k2 in d
print(k2, ':', d[k2])
次のワンライナーを確認してください。
print('\n'.join("%s\n%s" % (key1,('\n'.join("%s : %r" % (key2,val2) for (key2,val2) in val1.items()))) for (key1,val1) in cars.items()))
出力:
A
speed : 70
color : 2
B
speed : 60
color : 3
# Declare and Initialize Map
map = {}
map ["New"] = 1
map ["to"] = 1
map ["Python"] = 5
map ["or"] = 2
# Print Statement
for i in map:
print ("", i, ":", map[i])
# New : 1
# to : 1
# Python : 5
# or : 2
###newbie exact answer desired (Python v3):
###=================================
"""
cars = {'A':{'speed':70,
'color':2},
'B':{'speed':60,
'color':3}}
"""
for keys, values in reversed(sorted(cars.items())):
print(keys)
for keys,values in sorted(values.items()):
print(keys," : ", values)
"""
Output:
B
color : 3
speed : 60
A
color : 2
speed : 70
##[Finished in 0.073s]
"""