我似乎无法弄清楚是什么破坏了我的代码。
我写了一个带金字塔的代码:
[[1],
[2,3],
[4,5,6],
[7,8,9,10]]
从头部开始(金字塔[0] [0])通过移动到下面的项目,或者移动到下面的项目和递归的右边来计算可能达到的最大总和
在此示例中,输出应为20。
这是没有memoization的代码,工作正常:
def max_trail(pyramid,row=0,col=0):
if row == (len(pyramid)-1):
return pyramid[row][col]
else:
return pyramid[row][col] + max(max_trail(pyramid ,row+1 ,col),
max_trail(pyramid ,row+1, col+1))
但是当我尝试应用memoization时,一路上的东西会中断。 我错过了什么?
这是破碎的代码:
def max_trail_mem(pyramid,row=0,col=0,mem=None):
if mem==None:
mem={}
key = ((row),(col))
if row == (len(pyramid)-1):
if key not in mem:
value = pyramid[row][col]
mem[key]=value
return mem[key]
return mem[key]
else:
key = (row+1),(col)
if key not in mem:
mem[(row+1),(col)] = max_trail_mem(pyramid ,row+1 ,col,mem)
key = (row+1),(col+1)
if key not in mem:
mem[(row+1),(col+1)]=max_trail_mem(pyramid ,row+1, col+1,mem)
return max(mem[(row+1),(col)],mem[(row+1),(col+1)])
这比我糟糕的生活需要几个小时。 任何帮助将不胜感激!
答案 0 :(得分:1)
您在上次返回pyramid[row][col] +
之前忘记了max(...
。添加它会为您的示例提供20
(请参阅最后一行代码):
def max_trail_mem(pyramid,row=0,col=0,mem=None):
if mem==None:
mem={}
key = ((row),(col))
if row == (len(pyramid)-1):
if key not in mem:
value = pyramid[row][col]
mem[key]=value
return mem[key]
return mem[key]
else:
key = (row+1),(col)
if key not in mem:
mem[(row+1),(col)] = max_trail_mem(pyramid ,row+1 ,col,mem)
key = (row+1),(col+1)
if key not in mem:
mem[(row+1),(col+1)] = max_trail_mem(pyramid ,row+1, col+1,mem)
return pyramid[row][col] + max(mem[(row+1),(col)],mem[(row+1),(col+1)])
答案 1 :(得分:0)
from timeit import timeit
import math
from repoze.lru import CacheMaker
cache_maker=CacheMaker()
def max_trail(pyramid,row=0,col=0):
if row == (len(pyramid)-1):
return pyramid[row][col]
else:
mt1 = max_trail(pyramid ,row+1 ,col)
mt2 = max_trail(pyramid ,row+1, col+1)
return pyramid[row][col] + max(mt1, mt2)
@cache_maker.lrucache(maxsize='1000', name='pyramid')
def max_trail_with_memoization(pyramid,row=0,col=0):
if row == (len(pyramid)-1):
return pyramid[row][col]
else:
mt1 = max_trail(pyramid ,row+1 ,col)
mt2 = max_trail(pyramid ,row+1, col+1)
return pyramid[row][col] + max(mt1, mt2)
# Build pyramid
pyramid = ()
c = 0
for i in range(20):
row = ()
for j in range(i):
c += 1
row += (c,)
if row:
pyramid += (tuple(row),)
# Repetitions to time
number = 20
# Time it
print('without memoization: ', timeit('f(t)', 'from __main__ import max_trail as f, pyramid as t', number=number))
print('with memoization ', timeit('f(t)', 'from __main__ import max_trail_with_memoization as f, pyramid as t', number=number))
print max_trail(pyramid)
返回:
without memoization: 3.9645819664001465
with memoization: 0.18628692626953125