3 回答
TA贡献1802条经验 获得超5个赞
我不认为你的 n 和 m 的输出分别是 3, 2,真的有意义。在第6行之后,后面[0, 2, 0]不应该接代替吗?第 13 排之后也发生了同样的情况。[0, 2, 1][1, 0, 0]
无论如何,这是一个递归替代方案:
n = 3
m = 2
def permutation(n, m):
if n <= 0:
yield []
else:
for i in range(m+1):
for j in permutation(n-1, m):
yield [i] + j
# or even shorter
def permutation(n, m):
return [[i] + j for i in range(m + 1) for j in permutation(n - 1, m)] if n > 0 else []
for i in permutation(n, m):
print(i)
输出:
[0, 0, 0], [0, 0, 1], [0, 0, 2], [0, 1, 0], [0, 1, 1], ..., [2, 1, 0], [2, 1, 1], [2, 1, 2], [2, 2, 0], [2, 2, 1], [2, 2, 2]]
TA贡献1836条经验 获得超4个赞
这个问题似乎得到了解答,但我想为迭代排列提供一个更简单的替代方案。在这里,我使用列表推导式、格式化字符串文字(f'string' 字符串)和 eval 内置方法。希望这个观点对你有帮助(以某种方式?)。
def get_permutations_list(array_size, max_value):
'''Returns a list of arrays that represent all permutations between zero
and max_value'''
array_member =''
for_loops=''
#Does a loop iteration for each member of the permutation list template
for i in range(array_size):
#adds a new member in each permutation
array_member += f'x{i}, '
#adds a new corresponding for loop
for_loops+=" for x{i} in range({value})".format(i=i,
value=max_value)
output = f'[[{array_member}] {for_loops}]' #combines it all together
return eval(output)
a = get_permutations_list(array_size=2, max_value=2)
print(a)
#Result: [[0,0],[0,1],[1,0],[1,1]]
TA贡献1786条经验 获得超12个赞
3.你想要得到所有的排列。给定 n 和 m 的排列数为 (m+1)^n。因为您实际上想要打印所有这些,所以时间复杂度也是 O((m+1)^n),这是迭代执行时得到的结果。
1+2。我认为你不应该使用递归来做到这一点,O((m+1)^n) 是你可以做到这一点的最佳时间,这就是使用迭代时得到的结果。递归也会为其内存堆栈占用更多内存。
添加回答
举报