Python连接每个列表中的所有元素组合

时间:2011-10-12 21:24:08

标签: python

我有一个元组列表,每个元组都有两个元素:[('1','11'),('2','22'),('3','33'),...n]

我如何找到每个元组的所有组合,一次只选择一个元组元素?

示例结果:

  
    

[[1,2,3],[11,2,3],[11,2,3],[11,22,33],[11,2,33],[11,22,3 ],[1,22,3],[1,22,33],[1,2,33]]`

  

itertools.combinations给了我所有组合,但不保留从每个元组中只选择一个元素。

谢谢!

2 个答案:

答案 0 :(得分:7)

使用itertools.product

In [88]: import itertools as it
In [89]: list(it.product(('1','11'),('2','22'),('3','33')))
Out[89]: 
[('1', '2', '3'),
 ('1', '2', '33'),
 ('1', '22', '3'),
 ('1', '22', '33'),
 ('11', '2', '3'),
 ('11', '2', '33'),
 ('11', '22', '3'),
 ('11', '22', '33')]

答案 1 :(得分:1)

您是否阅读了itertools documentation

>>> import itertools
>>> l = [('1','11'),('2','22'),('3','33')]
>>> list(itertools.product(*l))
[('1', '2', '3'), ('1', '2', '33'), ('1', '22', '3'), ('1', '22', '33'), ('11', '2', '3'), ('11', '2', '33'), ('11', '22', '3'), ('11', '22', '33')]