将嵌套列表打印为字符串以供显示

时间:2015-03-17 08:26:55

标签: python list nested-lists

我有这段代码:

data = [["apple", 2], ["cake", 7], ["chocolate", 7], ["grapes", 6]]

我想在运行我的代码时很好地展示它,这样你就不会看到语音标记或方括号,就像这样显示:

apple, 2
cake, 7
chocolate, 7
grapes, 6

我在这个网站上看到了帮助我:

http://www.decalage.info/en/python/print_list

然而,他们说使用print("\n".join),只有在列表中的值都是字符串时才有效。

我怎么能解决这个问题?

2 个答案:

答案 0 :(得分:3)

一般来说,像pprint之类的东西会为你提供输出,以帮助你理解对象的结构。

但是对于您的特定格式,您可以使用以下命令获取该列表:

data=[["apple",2],["cake",7],["chocolate",7],["grapes",6]]

for (s,n) in data: print("%s, %d" % (s,n))
# or, an alternative syntax that might help if you have many arguments
for e in data: print("%s, %d" % tuple(e))

两个输出:

apple, 2
cake, 7
chocolate, 7
grapes, 6

答案 1 :(得分:0)

或者您可以以非常复杂的方式执行此操作,因此每个嵌套列表将打印在其自己的行中,并且每个嵌套的元素也不会打印。像“鸭子”这样的东西:

def printRecursively(toPrint):
    try:
        #if toPrint and nested elements are iterables
        if toPrint.__iter__() and toPrint[0].__iter__():
            for el in toPrint:
                printRecursively(el)
    except AttributeError:
        #toPrint or nested element is not iterable
        try:
            if toPrint.__iter__():
                print ", ".join([str(listEl) for listEl in toPrint])
        #toPrint is not iterable
        except AttributeError:
            print toPrint
data = [["apple", 2], ["cake", 7], [["chocolate", 5],['peanuts', 7]], ["grapes", 6], 5, 6, 'xx']
printRecursively(data)

希望你喜欢它:)