如何获得n二进制值的所有组合?

时间:2013-02-18 08:02:41

标签: python list math python-2.7

在Python中,如何获得n二进制值01的所有组合?

例如,如果n = 3,我想要

[ [0,0,0], [0,0,1], [0,1,0], [0,1,1], ... [1,1,1] ]  #total 2^3 combinations

我该怎么做?

3 个答案:

答案 0 :(得分:50)

使用itertools.product

import itertools
lst = list(itertools.product([0, 1], repeat=3))

这将产生一个元组列表(参见here

您可以轻松更改此选项以使用变量repeat

n = 3
lst = list(itertools.product([0, 1], repeat=n))

如果您需要列表列表,则可以使用map函数(感谢@Aesthete)。

lst = map(list, itertools.product([0, 1], repeat=n))

或者在Python 3中:

lst = list(map(list, itertools.product([0, 1], repeat=n)))
# OR
lst = [list(i) for i in itertools.product([0, 1], repeat=n)]

请注意,使用map或列表推导意味着您不需要将产品转换为列表,因为它将遍历itertools.product对象并生成列表。

答案 1 :(得分:7)

不使用任何内置功能或智能技术,我们可以像这样使用

def per(n):
    for i in range(1<<n):
        s=bin(i)[2:]
        s='0'*(n-len(s))+s
        print map(int,list(s))
per(3)

输出

[0, 0, 0]
[0, 0, 1]
[0, 1, 0]
[0, 1, 1]
[1, 0, 0]
[1, 0, 1]
[1, 1, 0]
[1, 1, 1]

答案 2 :(得分:2)

以下将为您提供所有此类组合

bin = [0,1]
[ (x,y,z) for x in bin for y in bin for z in bin ]