Python: создание нескольких комбинаций строк с пробелами - PullRequest
0 голосов
/ 24 апреля 2018

У меня есть массив из n слов в виде строк, таких как:

input: ["just", "a", "test"]

Мне нужно создать все возможные комбинации этих слов, разделенных пробелами, а также в сочетании с исходными строками.Например, приведенное выше должно создать:

output: [["just", "a", "test"], ["just a", "test"], ["just a test"], ["just", "a test"]]

Я использовал itertools, но не могу заставить его делать то, что мне нужно.Что у меня есть на данный момент:

iterable = ['just', 'a', 'test']

for n in chain.from_iterable(combinations(iterable, n) for n in range(len(iterable)+1)):
    print(n)

Следующее почти работает как требуется:

iterable = ['just', 'a', 'test']
L = [''.join(reversed(x)).rstrip()
     for x in product(*[(c, c+' ') for c in reversed(iterable)])]
print(L)

Спасибо.

РЕДАКТИРОВАТЬ:

Комупоясните, как это должно работать для массива длины 4: input: ['an', 'even', 'больше', 'test'] `

output: 
['an', 'even', 'bigger', 'test']
['an even', 'bigger', 'test']
['an even bigger', 'test']
['an even bigger test']

['an', 'even bigger', 'test']
['an even', 'bigger test']
['an', 'even bigger test']
['an', 'even', 'bigger test']

Ответы [ 2 ]

0 голосов
/ 24 апреля 2018

Вы можете попробовать это (совместимо как с python 2.x, так и с python 3.x):

s = ["this", "is", "just", "a", "simple", "test"] # the input
sepCount = len(s) - 1 # separator count of the input
output = [] # output

for i in range(0, 2 ** sepCount): # iterate through all possible combinations
    t = s # modified string
    j = i # for converting to binary
    for k in reversed(range(sepCount)):
        if j % 2 == 0:
            t = t[ : k] + [" ".join(t[k : k + 2])] + t [k + 2 :] # replace separator to " "
        j = j // 2
    output.append(t)

print(output)

Вывод:

[['this is just a simple test'],
['this is just a simple', 'test'],
['this is just a', 'simple test'],
['this is just a', 'simple', 'test'],
['this is just', 'a simple test'],
['this is just', 'a simple', 'test'],
['this is just', 'a', 'simple test'],
['this is just', 'a', 'simple', 'test'],
['this is', 'just a simple test'],
['this is', 'just a simple', 'test'],
['this is', 'just a', 'simple test'],
['this is', 'just a', 'simple', 'test'],
['this is', 'just', 'a simple test'],
['this is', 'just', 'a simple', 'test'],
['this is', 'just', 'a', 'simple test'],
['this is', 'just', 'a', 'simple', 'test'],
['this', 'is just a simple test'],
['this', 'is just a simple', 'test'],
['this', 'is just a', 'simple test'],
['this', 'is just a', 'simple', 'test'],
['this', 'is just', 'a simple test'],
['this', 'is just', 'a simple', 'test'],
['this', 'is just', 'a', 'simple test'],
['this', 'is just', 'a', 'simple', 'test'],
['this', 'is', 'just a simple test'],
['this', 'is', 'just a simple', 'test'],
['this', 'is', 'just a', 'simple test'],
['this', 'is', 'just a', 'simple', 'test'],
['this', 'is', 'just', 'a simple test'],
['this', 'is', 'just', 'a simple', 'test'],
['this', 'is', 'just', 'a', 'simple test'],
['this', 'is', 'just', 'a', 'simple', 'test']]

Мотив: есть n-1разделители (,) для списка длины n.Есть 2 ^ (n-1) способа заменить , s пустым пробелом.Итерируя все эти 2 ^ (n-1) возможных путей, вы можете генерировать все возможные комбинации этих слов, разделенные пробелами.

0 голосов
/ 24 апреля 2018

Это одно решение. Функция partitions любезно предоставлена ​​@ Kiwi .

from itertools import combinations

iterable = ['just', 'a', 'test', 'and', 'another']

n = len(iterable)

def partitions(items, k):

    def split(indices):
        i=0
        for j in indices:
            yield items[i:j]
            i = j
        yield items[i:]

    for indices in combinations(range(1, len(items)), k-1):
        yield list(split(indices))

for i in range(1, n+1):
    for x in partitions(iterable, i):
        print([' '.join(y) for y in x])

['just a test and another']
['just', 'a test and another']
['just a', 'test and another']
['just a test', 'and another']
['just a test and', 'another']
['just', 'a', 'test and another']
['just', 'a test', 'and another']
['just', 'a test and', 'another']
['just a', 'test', 'and another']
['just a', 'test and', 'another']
['just a test', 'and', 'another']
['just', 'a', 'test', 'and another']
['just', 'a', 'test and', 'another']
['just', 'a test', 'and', 'another']
['just a', 'test', 'and', 'another']
['just', 'a', 'test', 'and', 'another']        
...