我遇到过这篇文章:How to generate all permutations of a list in Python
但是我需要更多的东西,即字符串的所有排列以及所有子串的所有排列。我知道这是一个很大的数字,但有可能吗?
答案 0 :(得分:3)
import itertools
def all_permutations_substrings(a_str):
return (
''.join(item)
for length in xrange(1, len(a_str)+1)
for item in itertools.permutations(a_str, length))
但请注意,这是真正的排列 - 因为,hello
将有两次l
s中的任何子字符串排列,因为l
将是被认为是“独特的”。如果你想摆脱它,你可以通过set()
:
all_permutations_no_dupes = set(all_permutations_substrings(a_str))
答案 1 :(得分:1)
正如您关联的问题所述,itertools.permutations是生成列表排列的解决方案。在python中,字符串可以被视为列表,因此itertools.permutations("text")
可以正常工作。对于子字符串,您可以将一个长度传递给itertools.permutations作为可选的第二个参数。
def permutate_all_substrings(text):
permutations = []
# All possible substring lengths
for length in range(1, len(text)+1):
# All permutations of a given length
for permutation in itertools.permutations(text, length):
# itertools.permutations returns a tuple, so join it back into a string
permutations.append("".join(permutation))
return permutations
或者如果您更喜欢单行列表推导
list(itertools.chain.from_iterable([["".join(p) for p in itertools.permutations(text, l)] for l in range(1, len(text)+1)]))