在Python中交叉列表

时间:2012-06-20 17:46:29

标签: python list

我有两个清单:
[a, b, c] [d, e, f]
我想:
[a, d, b, e, c, f]

在Python中执行此操作的简单方法是什么?

4 个答案:

答案 0 :(得分:32)

这是一个使用列表理解的非常直接的方法:

>>> lists = [['a', 'b', 'c'], ['d', 'e', 'f']]
>>> [x for t in zip(*lists) for x in t]
['a', 'd', 'b', 'e', 'c', 'f']

或者如果您将列表作为单独的变量(如在其他答案中那样):

[x for t in zip(list_a, list_b) for x in t]

答案 1 :(得分:28)

一种选择是使用chain.from_iterable()zip()的组合:

# Python 3:
from itertools import chain
list(chain.from_iterable(zip(list_a, list_b)))

# Python 2:
from itertools import chain, izip
list(chain.from_iterable(izip(list_a, list_b)))

编辑:正如评论中sr2222所指出的,这不起作用 好吧,如果列表有不同的长度。在这种情况下,取决于 你想要的语义,你可能想要使用(更常见的)roundrobin() 来自recipe section的函数 itertools文档:

def roundrobin(*iterables):
    "roundrobin('ABC', 'D', 'EF') --> A D E B F C"
    # Recipe credited to George Sakkis
    pending = len(iterables)
    nexts = cycle(iter(it).next for it in iterables)
    while pending:
        try:
            for next in nexts:
                yield next()
        except StopIteration:
            pending -= 1
            nexts = cycle(islice(nexts, pending))

答案 2 :(得分:4)

这个只适用于python 2.x,但适用于不同长度的列表:

[y for x in map(None,lis_a,lis_b) for y in x]

答案 3 :(得分:2)

使用内置函数可以做一些简单的事情:

sum(zip(list_a, list_b),())