在python中查找字符串中所有可能的字母组合

时间:2015-01-11 07:43:21

标签: python string substring

我在python中有一个字符串, 我需要找到该字符串的任何子串的所有可能方式(包括它自己) 可以选择。子串(为了我的目的)不必在原始字符串中是连续的 - 它可能有间隙。
例如:"frogman"是此定义下"froghuman'的众多子串之一。

例如will函数: 如果我的字符串是"abcd",则输出应为:

["a","b","c","d","ab","ac","ad","bc","bd","cd","abc","abd","acd","bcd","abcd"]

1 个答案:

答案 0 :(得分:22)

您的示例输入/输出表明您正在寻找power set。你可以generate a power set for a string using itertools module in Python

from itertools import chain, combinations

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))

print(list(map(''.join, powerset('abcd'))))

输出

['',
 'a',
 'b',
 'c',
 'd',
 'ab',
 'ac',
 'ad',
 'bc',
 'bd',
 'cd',
 'abc',
 'abd',
 'acd',
 'bcd',
 'abcd']

注意:输出包含空字符串。