python 从字符串创建所有子集-递归

qni6mghb  于 2022-12-25  发布在  Python
关注(0)|答案(3)|浏览(156)

我尝试创建一个给定字符串的所有子集递归.给定string = 'aab',我们为不同的字符生成所有子集.答案是:["", "b", "a", "ab", "ba", "a", "ab", "ba", "aa", "aa", "aab", "aab", "aba", "aba", "baa", "baa"]。我一直在寻找一些解决方案,如this one,但我试图使函数接受一个单一的变量-只有字符串和工作,但不能弄清楚如何。我也一直在寻找类似问题的this解决方案,但是因为它处理的是列表而不是字符串,所以我在转换它以接受和生成字符串时遇到了一些麻烦。2这是我的代码,在这个例子中,我无法将字符串连接到列表,因此我提出了这个问题。我编辑了输入和输出。

def gen_all_strings(word):

    if len(word) == 0:
        return ''

    rest = gen_all_strings(word[1:])

    return  rest + [[ + word[0]] + dummy for dummy in rest]
00jrzges

00jrzges1#

from itertools import *

def recursive_product(s,r=None,i=0):
    if r is None:
        r = []
    if i>len(s):
        return r
    for c in product(s, repeat=i):
        r.append("".join(c))
    return recursive_product(s,r,i+1)

print(recursive_product('ab'))
print(recursive_product('abc'))

输出:
第一个月
['', 'a', 'b', 'c', 'aa', 'ab', 'ac', 'ba', 'bb', 'bc', 'ca', 'cb', 'cc', 'aaa', 'aab', 'aac', 'aba', 'abb', 'abc', 'aca', 'acb', 'acc', 'baa', 'bab', 'bac', 'bba', 'bbb', 'bbc', 'bca', 'bcb', 'bcc', 'caa', 'cab', 'cac', 'cba', 'cbb', 'cbc', 'cca', 'ccb', 'ccc']
老实说,在这种情况下使用递归感觉真的很勉强,一个简单得多的版本也有相同的结果:

nonrecursive_product = lambda s: [''.join(c)for i in range(len(s)+1) for c in product(s,repeat=i)]
ncgqoxb0

ncgqoxb02#

这是字符串中字符集的powerset

from itertools import chain, combinations

s = set('ab') #split string into a set of characters

# combinations gives the elements of the  powerset of a given length r
# from_iterable puts all these into an 'iterable'
# which is converted here to a list

list(chain.from_iterable(combinations(s, r) for r in range(len(s)+1)))
ss2ws0br

ss2ws0br3#

import itertools as it

s='aab'
subsets = sorted(list(map("".join, it.chain.from_iterable(it.permutations(s,r) for r in range(len(s) + 1)))))

print(subsets)
# ['', 'a', 'a', 'aa', 'aa', 'aab', 'aab', 'ab', 'ab', 'aba', 'aba', 'b', 'ba', 'ba', 'baa', 'baa']

相关问题