迭代Python中多个列表中的所有值组合
Posted
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了迭代Python中多个列表中的所有值组合相关的知识,希望对你有一定的参考价值。
给定多个可能变化长度的列表,我想迭代所有值的组合,每个列表中的一个项目。例如:
first = [1, 5, 8]
second = [0.5, 4]
然后我希望输出为:
combined = [(1, 0.5), (1, 4), (5, 0.5), (5, 4), (8, 0.5), (8, 4)]
我想迭代组合列表。我怎么做到这一点?
答案
itertools.product
应该做的伎俩。
>>> list(itertools.product([1, 5, 8], [0.5, 4]))
[(1, 0.5), (1, 4), (5, 0.5), (5, 4), (8, 0.5), (8, 4)]
请注意,itertools.product
返回一个迭代器,因此如果您只想迭代一次迭代器,则无需将其转换为列表。
例如。
for x in itertools.product([1, 5, 8], [0.5, 4]):
# do stuff
另一答案
这可以通过使用list comprehension进行任何导入。使用你的例子:
first = [1, 5, 8]
second = [0.5, 4]
combined = [(f,s) for f in first for s in second]
print(combined)
# [(1, 0.5), (1, 4), (5, 0.5), (5, 4), (8, 0.5), (8, 4)]
以上是关于迭代Python中多个列表中的所有值组合的主要内容,如果未能解决你的问题,请参考以下文章