2

我有以下python嵌套列表结构:

test = ['a', ['c', ['e'], 'd'], 'b']

或相同,只是格式化:

test = [
    'a', 
        [
            'c', 
                [
                    'e'
                ], 
             'd'
        ], 
    'b'
]

我想知道迭代整个列表的最佳方法是什么,从最里面的嵌套列表对象('e')开始,到最外面的列表('a',[...],'b') . 对 reversed(test) 的调用并不能解决嵌套列表的问题。它应该能够在迭代的每个深度调用回调函数。

迭代应该看起来像这样([xx] == 来自先前调用的回调的计算值):

1st e --> callback(e)
2nd c [e] d --> callback(c [e] d)
3rd a [c e d] b --> callback(a [c e d] b)

希望这能解释我的问题并感谢您的帮助

4

2 回答 2

6

我建议的一种可能的解决方案是

>>> def foo(test):
    queue = []
    try:
        while True:
            queue.append(test)
            test = test[1]
    except IndexError:
        for e in reversed(queue):
            yield e


>>> data = foo(test)
>>> next(data)
['e']
>>> next(data)
['c', ['e'], 'd']
>>> next(data)
['a', ['c', ['e'], 'd'], 'b']
>>> next(data)

Traceback (most recent call last):
  File "<pyshell#753>", line 1, in <module>
    next(data)
StopIteration
>>> 

这个怎么运作

  1. 深度优先遍历,将元素推入队列
  2. 循环遍历反向队列并产生元素
于 2013-02-19T15:01:24.353 回答
6

您正在寻找的是结构的后序遍历

def traverse(l):
    for x in l:
        if isinstance(x, list):
            traverse(x)
    callback(l)

如果callback定义为print,我们得到

['e']
['c', ['e'], 'd']
['a', ['c', ['e'], 'd'], 'b']
于 2013-02-19T15:06:21.853 回答