如何在Python中逐行打印字典?


166

这是字典

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

我刚刚开始学习字典,所以不确定如何执行此操作。

Answers:


142
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

12
我知道这很旧,但我认为值得一提的是,如果car [x]是整数,那么这将不起作用。这不是OP所要求的,所以我只是想对那些偶然发现这一假设的人说这,因为这是一揽子解决方案。
Darrel Holt

@DarrelHolt您知道如何使其与整数一起使用吗?因为那是我目前面临的问题
theprowler '16

@theprowler我最能重现这个问题的是,如果cars = {1:4, 2:5}cars[x]是一个映射到密钥的整数,x而不是映射到密钥的集合x。在这种情况下,您不需要使用该for y in cars[x]:行,因为您只检索一个值,除非您使用的是列表或整数集之类的东西,否则它应该起作用。抱歉,已经过去了几个月,所以我不完全记得我是如何得出我之前的评论的结论的。您可以将代码发送给我,我可以帮我看看。
Darrel Holt

嗯 我认为我的问题甚至比那更糟。基本上,我已经从HTML表中解析出了一些数据,并且碰巧将其存储在字典中,现在我试图将字典中的数据存储到DataFrame中,然后再将其全部导出到Oracle表中。 ...我知道的深度很深,但是现在阻止我前进的步骤是将数据放入DataFrame ....由于某种原因,我的字典只有一个键,并且所有数据都在值中,因此很难试图把它整齐地行和列..
theprowler

118

您可以json为此使用模块。dumps此模块中的函数将JSON对象转换为格式正确的字符串,然后可以打印该字符串。

import json

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

print(json.dumps(cars, indent = 4))

输出看起来像

{
    “一个”: {
        “颜色”:2
        “速度”:70
    },
    “ B”:{
        “颜色”:3,
        “速度”:60
    }
}

文件还规定了一堆这种方法有用的选项。


2
是的,字典的内容必须可序列化为json,但是,此处提供的输出比pprint.PrettyPrinter产生的输出干净得多(例如,人类可读)。特别是在一致缩进和丢弃字符串前缀(例如u'foo')方面。
布法罗拉伯

我这样做print(json.dumps(cars, indent=4, ensure_ascii=False))是因为否则将无法读取非ASCII字符。
鲍里斯(Boris)

85

处理任意深度嵌套的字典和列表的更通用的解决方案是:

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

我遇到了类似的需求,并开发了更强大的功能作为自己的练习。我将其包含在此处,以防它可能对另一个有价值。在运行鼻子测试中,我还发现能够在调用中指定输出流很有用,这样可以代替使用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)
   ]
}

我希望这可以为下一个寻求这种功能的人提供一些价值。


11
如果格式不是太严格,也可以使用'print json.dumps(obj,indent = 3)'。这给出了大多数结构的合理表示,尽管由于使用元组作为键,它在我平凡的示例中确实使(在我的环境中)窒息……
MrWonderful 2014年

7
为什么不在pprint.pprint()这里使用呢?
马丁·彼得

1
几乎成为了JSON创建者,不是吗?
user2007447 2015年

30

您具有嵌套结构,因此您也需要格式化嵌套字典:

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

28

pprint.pprint() 是完成这项工作的好工具:

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


4

如果您知道树只有两个级别,这将起作用:

for k1 in cars:
    print(k1)
    d = cars[k1]
    for k2 in d
        print(k2, ':', d[k2])

4

检查以下一线:

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

不错,但是我尝试将其转换为与结合使用sys.modules,但失败了。想尝试一下吗?
not2qubit

4

我更喜欢以下格式yaml

import yaml
yaml.dump(cars)

输出:

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

你必须pip install PyYAML先。
鲍里斯

0
###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]
"""

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

0

这是我对问题的解决方案。我认为它的方法类似,但是比其他一些答案要简单一些。它还允许任意数量的子词典,并且似乎适用于任何数据类型(我什至在具有值功能的字典上对其进行了测试):

def pprint(web, level):
    for k,v in web.items():
        if isinstance(v, dict):
            print('\t'*level, f'{k}: ')
            level += 1
            pprint(v, level)
            level -= 1
        else:
            print('\t'*level, k, ": ", v)

-1

修改MrWonderful代码

import sys

def print_dictionary(obj, ident):
    if type(obj) == dict:
        for k, v in obj.items():
            sys.stdout.write(ident)
            if hasattr(v, '__iter__'):
                print k
                print_dictionary(v, ident + '  ')
            else:
                print '%s : %s' % (k, v)
    elif type(obj) == list:
        for v in obj:
            sys.stdout.write(ident)
            if hasattr(v, '__iter__'):
                print_dictionary(v, ident + '  ')
            else:
                print v
    else:
        print obj

1
您修改了什么?输出是什么?
安德烈亚斯·哈弗堡
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.