我目前正在用Python实现堆算法,但是我目前的解决方案是两次返回了一些排列。
def generate(startingIndex, alist):
if startingIndex == 1:
print(alist)
else:
for i in range(0, len(alist)):
generate(startingIndex - 1, alist)
if i % 2 == 1:
alist[0], alist[startingIndex - 1] = alist[startingIndex - 1], alist[0]
else:
alist[i], alist[startingIndex - 1] = alist[startingIndex - 1], alist[i]
generate(3, ["a", "b", "c"])
此代码产生以下结果:
['a', 'b', 'c'] #this will be repeated
['b', 'a', 'c']
['a', 'b', 'c'] #here
['b', 'c', 'a'] #this will be repeated
['c', 'b', 'a']
['b', 'c', 'a'] #here
['c', 'a', 'b'] #this will be repeated
['a', 'c', 'b']
['c', 'a', 'b'] #here
由于我不想重复结果,
我在做什么错了?
答案 0 :(得分:2)
根据Heap's Algoritm,您的循环应遍历startingIndex
,而不是列表的长度。
您还应该在for
循环之后而不是仅仅在循环开始之前进行相同的递归调用。
此固定版本适用于您的示例:
def generate(startingIndex, alist):
if startingIndex == 1:
print(alist)
else:
for i in range(startingIndex - 1):
generate(startingIndex - 1, alist)
if i % 2 == 1:
alist[0], alist[startingIndex - 1] = alist[startingIndex - 1], alist[0]
else:
alist[i], alist[startingIndex - 1] = alist[startingIndex - 1], alist[i]
generate(startingIndex - 1, alist)
generate(3, ['a', 'b', 'c'])