元组的邮编列表

Zip lists of tuples

我正在用文件中的数据做一些事情,我已经用它的信息压缩了每一列,但现在我想合并来自其他文件的信息(我也压缩了信息)但我不知道不知道怎么解压和组装。

编辑: 我有几个 zip 对象:

l1 = [('a', 'b'), ('c', 'd')] # list(zippedl1)
l2 = [('e', 'f'), ('g', 'h')] # list(zippedl1)
l3 = [('i', 'j'), ('k', 'm')] # list(zippedl1)

我想像这样解压:

unzipped = [('a', 'c', 'e', 'g', 'i', 'k'), ('b', 'd', 'f', 'h', 'j', 'm')]

出于内存原因,我不想将压缩结构转换为列表。我进行了搜索,但没有找到对我有帮助的东西。希望你能帮助我! [抱歉我的英语不好]

您需要先连接列表:

>>> l1 = [('a', 'b'), ('c', 'd')]
>>> l2 = [('e', 'f'), ('g', 'h')]
>>> l3 = [('i', 'j'), ('k', 'm')]
>>> zip(*(l1 + l2 + l3))
[('a', 'c', 'e', 'g', 'i', 'k'), ('b', 'd', 'f', 'h', 'j', 'm')]

我相信你想压缩一个解压缩的 chain:

# Leaving these as zip objects as per your edit
l1 = zip(('a', 'c'), ('b', 'd'))
l2 = zip(('e', 'g'), ('f', 'h'))
l3 = zip(('i', 'k'), ('j', 'm'))

unzipped = [('a', 'c', 'e', 'g', 'i', 'k'), ('b', 'd', 'f', 'h', 'j', 'm')]

你可以简单地做

from itertools import chain
result = list(zip(*chain(l1, l2, l3)))

# You can also skip list creation if all you need to do is iterate over result:
# for x in zip(chain(l1, l2, l3)):
#     print(x)

print(result)
print(result == unzipped)

这会打印:

[('a', 'c', 'e', 'g', 'i', 'k'), ('b', 'd', 'f', 'h', 'j', 'm')]
True