列表的Python Power Set

时间:2017-01-13 02:16:52

标签: python powerset

我正在尝试实现一个函数来生成列表xs的powerset。

一般的想法是,我们遍历xs的元素,并选择是否包含x。我面临的问题是withX最终等于[None](带有None的单例列表),因为(我认为)s.add(x)会返回{{1} }}。

这不是家庭作业,它是破解编码面试的一个练习。

None

3 个答案:

答案 0 :(得分:5)

查看itertools recipes中的powerset示例:

from itertools import chain, combinations

def powerset(iterable):
    "list(powerset([1,2,3])) --> [(), (1,), (2,), (3,), (1,2), (1,3), (2,3), (1,2,3)]"
    s = list(iterable)
    return chain.from_iterable(combinations(s, r) for r in range(len(s)+1))

对于最长为给定列表长度的range个整数,将所有可能的combinationschain组合为一个对象。

答案 1 :(得分:2)

import itertools

def powerset(L):
  pset = set()
  for n in xrange(len(L) + 1):
    for sset in itertools.combinations(L, n):
      pset.add(sset)
  return pset

powerset([1, 2, 3, 4])

结果

set([(1, 2), (1, 3), (1, 2, 3, 4), (1,), (2,), (3,), (1, 4), (4,), (), (2, 3), (1, 2, 4), (1, 3, 4), (2, 3, 4), (1, 2, 3), (3, 4), (2, 4)])

itertools.combinations的源代码可以在这里找到,它有一些简洁的优化:

https://docs.python.org/3/library/itertools.html#itertools.combinations

答案 2 :(得分:2)

这是一个不使用任何模块的递归解决方案:

def pset(myset):
  if not myset: # Empty list -> empty set
    return [set()]

  r = []
  for y in myset:
    sy = set((y,))
    for x in pset(myset - sy):
      if x not in r:
        r.extend([x, x|sy])
  return r

print(pset(set((1,2,3,4))))
#[set(), {1}, {2}, {1, 2}, {3}, {1, 3}, {2, 3}, {1, 2, 3}, {4}, 
# {1, 4}, {2, 4}, {1, 2, 4}, {3, 4}, {1, 3, 4}, {2, 3, 4}, {1, 2, 3, 4}]