我想编写一个递归函数,它接受一个可变数量的参数(每个参数是一个可迭代的列表或集合),并返回一组每个参数的所有连接组合。我学会了如何write functions with a variable number of arguments,我知道如何编写递归函数,但我不知道如何将这两者放在Python中(或者甚至可能)。
这是我的代码:
def generate_combinations( *args ):
# returns all combinations of each of the arguments
if len( args ) == 1:
return set( args[0] )
result = set()
lastdigits = generate_combinations( args[1:] )
for d in args[0]:
result.add( d + lastdigits )
if __name__ == '__main__':
lastDigit = [ '1', '2', '3' ]
allDigits = [ '4', '5' ]
print("{}".format( generate_combinations( allDigits, lastDigit )))
预期产出:
14
15
24
25
34
35
我的代码中的“问题”位于第7行:lastdigits = generate_combinations( args[1:] )
。我想在这里做的是将所有原始参数除了第一个传递给函数(从而创建递归)。这显然不是这样做的方法。我的问题:这可以做到,怎么做?
Ps:我知道我可以使用带有一个参数的列表列表来完成相同的操作,但我很好奇这是可能的。
答案 0 :(得分:2)
请求的工作由以下几行完成:
args = list(args)
args.pop(0)
recursiveCall( *tuple(args) )
这里你的函数的实现是一个小错误(或者我误解了你对set的使用)。
def generate_combinations( *args, **kwargs ):
print("called with", args)
#terminate recursion
if len(args) == 1:
return list(set(args[0]))
#recursion
else:
result = []
args = list(args)
heads = args.pop(0)
tails = generate_combinations( *args, **kwargs )
for head in heads:
for tail in tails:
result.append(head + tail)
return result
if __name__ == '__main__':
allDigits = [ '1', '2', '3' ]
lastDigit = [ '4', '5' ]
letters = [ 'a', 'b' ]
print("{}".format( generate_combinations( allDigits, lastDigit, letters , Useless='parameter')))
执行给:
['14a', '14b', '15a', '15b', '24a', '24b', '25a', '25b', '34a', '34b', '35a', '35b']
希望你喜欢这个;)
亚瑟。