如何重写递归函数以使用循环?
这个堆栈溢出线程声称每个递归函数都可以写成循环。
哪些递归函数不能使用循环重写?
感觉。但我不确定如何将以下递归函数表示为循环,因为它具有预递归逻辑和后递归逻辑。
显然解决方案不能使用goto语句。代码在这里:
def gen_perms(lst, k, m):
if k == m:
all_perms.append(list(lst))
else:
for i in xrange(k, m+1):
#swap char
tmp = lst[k]
lst[k] = lst[i]
lst[i] = tmp
gen_perms(lst, k+1, m)
#swap char
tmp = lst[k]
lst[k] = lst[i]
lst[i] = tmp
调用它会像这样:
all_perms = []
gen_perm([1, 2, 3], 0, 2)
它会生成列表 1,2,3 的每个排列。
This stack overflow thread claims that every recursive function can be written as a loop.
Which recursive functions cannot be rewritten using loops?
It makes complete sense. But I'm not sure how to express the following recursive function as a loop because it has a pre recursive piece of logic and a post recursive piece of logic.
Obviously the solution cannot use the goto statement. The code is here:
def gen_perms(lst, k, m):
if k == m:
all_perms.append(list(lst))
else:
for i in xrange(k, m+1):
#swap char
tmp = lst[k]
lst[k] = lst[i]
lst[i] = tmp
gen_perms(lst, k+1, m)
#swap char
tmp = lst[k]
lst[k] = lst[i]
lst[i] = tmp
Invoking it would be like this:
all_perms = []
gen_perm([1, 2, 3], 0, 2)
and it generates every permutation of the list 1,2,3.
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(3)
进行排列的最 Pythonic 方法是使用:
The most pythonic way of doing permutations is to use:
假设您想要找到 [1, 2, 3, 4] 的所有排列。其中有 24 个(=4!),因此将它们编号为 0-23。我们想要的是一种非递归的方法来找到第 N 个排列。
假设我们按数字升序对排列进行排序。那么:
因此,我们可以通过将 N 除以 6(=3!) 得到第一个排列数 N。 ,并向上舍入。
我们如何得到下一个数字?看看排列 0-5 中的第二个数字:
我们在排列 6-11 中看到类似的情况:
一般来说,先除以 6 后取余数,再除以 2(=2!),然后舍入向上。这将为您提供 1、2 或 3,第二个项目是列表中剩余的第 1 个、第 2 个或第 3 个项目(在您取出第一个项目之后)。
你可以继续这样下去。这是执行此操作的一些代码:
Let's say you want to find all permutations of [1, 2, 3, 4]. There are 24 (=4!) of these, so number them 0-23. What we want is a non-recursive way to find the Nth permutation.
Let's say we sort the permutations in increasing numerical order. Then:
So we can get the first number of permutation N by dividing N by 6 (=3!), and rounding up.
How do we get the next number? Look at the second numbers in permutations 0-5:
We see a similar thing with permutations 6-11:
In general, take the remainder after dividing by 6 earlier, divide that by 2 (=2!), and round up. That gives you 1, 2, or 3, and the second item is the 1st, 2nd or 3rd item left in the list (after you've taken out the first item).
You can keep going in this way. Here's some code that does this:
我不太熟悉 python 语法,但假设 python 可以嵌套 for 语句,那么下面的代码(在“c”中)应该不会太难翻译。
I am not too familiar with the python syntax, but the following code (in 'c') shouldn't be too hard to translate assuming python can do nested for statements.