我试图找到两个不同集合的笛卡尔积。我在网上找不到有关列表或字典的笛卡尔积的任何信息。
功率设置也很困惑。
我使用的书中都没有这两个。
你们中的一位能指出我正确的方向吗?
最佳答案
对于笛卡尔积,请 check out itertools.product
。
对于powerset,the itertools
docs也给我们一个食谱:
def powerset(iterable):
"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))
例如:
>>> test = {1, 2, 3}
>>> list(powerset(test))
[(), (1,), (2,), (3,), (1, 2), (1, 3), (2, 3), (1, 2, 3)]
>>> list(product(test, test))
[(1, 1), (1, 2), (1, 3), (2, 1), (2, 2), (2, 3), (3, 1), (3, 2), (3, 3)]
关于python - 集合python的幂集和笛卡尔积,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/10342939/