首页 > 解决方案 > 尝试使用递归方法生成字符串的子集

问题描述

尝试在 python 中使用递归实现算法。看起来缺少一些我无法调试的东西。

我的方法是有两个递归分支并在每次递归时传递一个元素。详情如下:

## input pattern : "ab"
## output pattern : ["", "a", "b", "ab"]

对于此模式,递归树将如下所示

#           "ab" [ROOT]
#                   |
#           -a           +a
#           |             |
#       -b      +b    -b    +b
# =>    ""      "b"     "a"     "ab"

我现有的代码如下:它没有按预期工作。

def gen_subset(slist):
    def helper(slist,i,temp,out):
        if len(slist) == i:
            out.append(temp)
            return()
        else:
            helper(slist,i+1,temp,out)
            temp.append(slist[i])
            helper(slist,i+1,temp,out)

    out = []
    helper(slist,0,[],out)
    return out

s = "ab"
print (gen_subset([c for c in s]))

此代码产生错误的结果。

输出

[['b', 'a', 'b'], ['b', 'a', 'b'], ['b', 'a', 'b'], ['b', 'a', 'b']]

我在这里错过了什么吗?

标签: pythonpython-3.xrecursion

解决方案


Change temp.append(slist[i]) to temp = temp + [slist[i]].

This is happening because temp.append() modifies the temp variable in-place.
Instead we need to pass a copy of temp to the next recursion call.


推荐阅读