amk*_*ist 8 python combinations list python-itertools
我正在使用Python 2.7.
我有一个列表,我想要所有可能的有序组合.
import itertools
stuff = ["a","b","c", "d"]
for L in range(1, len(stuff)+1):
for subset in itertools.combinations(stuff, L):
print( ' '.join(subset))
Run Code Online (Sandbox Code Playgroud)
这将给出以下输出:
a
b
c
d
a b
a c <-- not in correct order
a d <-- not in correct order
b c
b d <-- not in correct order
c d
a b c
a b d <-- not in correct order
a c d <-- not in correct order
b c d
a b c d
Run Code Online (Sandbox Code Playgroud)
但我希望输出只是与stuff列表顺序相同的组合.例如删除a d,b d,a b d以及a c d因为这些都不是正确的顺序相比stuff列表["a", "b", "c", "d"].
我已经想出了使用它:
import itertools
stuff = ["a","b","c", "d"]
for L in range(1, len(stuff)+1):
for subset in itertools.combinations(stuff, L):
if ' '.join(subset) in ' '.join(stuff): #added line
print( ' '.join(subset))
Run Code Online (Sandbox Code Playgroud)
给我我想要的输出:
a
b
c
d
a b
b c
c d
a b c
b c d
a b c d
Run Code Online (Sandbox Code Playgroud)
但是,Python中是否有任何内置方法可以满足我的需求?
pok*_*oke 13
我相信你所寻找的是原始列表的所有可能片段.您想要的输出转换成切片是这样的:
a # slices[0:1]
b # slices[1:2]
c # slices[2:3]
d # slices[3:4]
a b # slices[0:2]
b c # slices[1:3]
c d # slices[2:4]
a b c # slices[0:3]
b c d # slices[1:4]
a b c d # slices[0:4]
Run Code Online (Sandbox Code Playgroud)
所以你应该尝试生成的是那些索引.如果仔细观察并对它们进行排序,您可以看到它们是0到4之间的2个数字组合,其中第一个数字小于另一个数字 - 这正是itertools.combinations索引列表的作用.所以我们可以生成这些:
for i, j in itertools.combinations(range(len(stuff) + 1), 2):
print(stuff[i:j])
Run Code Online (Sandbox Code Playgroud)
这会产生以下输出:
['a']
['a', 'b']
['a', 'b', 'c']
['a', 'b', 'c', 'd']
['b']
['b', 'c']
['b', 'c', 'd']
['c']
['c', 'd']
['d']
Run Code Online (Sandbox Code Playgroud)
优点是,这会产生输入的实际子列表,并不关心首先是单个字符的那些.它可以是列表中的任何类型的内容.
如果输出顺序具有任何重要性,您可以按输出列表大小排序以获得所需的结果:
def getCombinations (lst):
for i, j in itertools.combinations(range(len(lst) + 1), 2):
yield lst[i:j]
for x in sorted(getCombinations(stuff), key=len):
print(' '.join(x))
Run Code Online (Sandbox Code Playgroud)