It is possible to compute total computable recursive function ackermann(m,n)
with arguments m>=4
and n>=1
in python without exceeding max recursion depth?
def ackermann(m,n):
if m == 0:
return n+1
if n == 0:
return ackermann(m-1,1)
else:
return ackermann(m-1,ackermann(m,n-1))
ackermann(4,1)
For this level of response, use dynamic programming: memoize the function. This means that you keep a table of previous results. If you find a result that's already been computed, then you return it from the table. Only when it's a new call, do you do the computation -- and in that case, most or all of the recursive calls will be in the table. For instance:
You'll still have trouble with anything as large as ack(4, 2), due to memory use.