这就是字典

cars = {'A':{'speed':70,
        'color':2},
        'B':{'speed':60,
        'color':3}}

使用这个for循环

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

其他回答

检查下面的一行代码:

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

我认为列表理解是最干净的方法:

mydict = {a:1, b:2, c:3}

[(print("key:", key, end='\t'), print('value:', value)) for key, value in mydict.items()]

我更喜欢yaml的干净格式:

import yaml
print(yaml.dump(cars))

输出:

A:
  color: 2
  speed: 70
B:
  color: 3
  speed: 60

你有一个嵌套结构,所以你需要格式化嵌套的字典:

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
for car,info in cars.items():
    print(car)
    for key,value in info.items():
        print(key, ":", value)