我想将我的硬币更改功能转换为记忆功能
要做到这一点,我决定使用字典,以便我的字典中的一个键将成为硬币,值将是一个包含所有可以更改“钥匙”硬币的硬币的列表。
我做的是:
def change(a,kinds=(50,20,10,5,1)):
if(a==0):
return 1
if(a<0 or len(kinds)==0):
return 0
return change(a-kinds[0],kinds)+change(a,kinds[1:])
def memoizeChange(f):
cache={}
def memo(a,kinds=(50,20,10,5,1)):
if len(cache)>0 and kinds in cache[a]:
return 1
else:
if(f(a,kinds)==1):
cache[a]=kinds // or maybe cache[a].append(..)
return cache[a]+memo(a-kinds[0],kinds)+memo(a,kinds[1:])
return memo
memC=memoizeChange(change)
kinds=(50,20,10,5,1)
print(memC(10,kinds))
我想得到一些建议,或者可能还有另一种方法可以做到这一点 感谢。
修改
备注版本:
def change(a,kinds=(50,20,10,5,1)):
if(a==0):
return 1
if(a<0 or len(kinds)==0):
return 0
return change(a-kinds[0],kinds)+change(a,kinds[1:])
def memoizeChange(f):
cache={}
def memo(a,kinds=(50,20,10,5,1)):
if not (a,kinds) in cache:
cache[(a,kinds)]=f(a,kinds)
return cache[(a,kinds)]
return memo
change=memoizeChange(change)
print(change(10))
答案 0 :(得分:8)
它没有按要求回答你的问题,但如果r [0]到r [i]是用你的面额的前k个改变的方式的数量,则r [i + 1]是数字用第一个k-1面额加r [ik]进行变化的方法。这可以为您解决的问题提供一个优雅的解决方案:
def change(total, denominations):
r = [1] + [0] * total
for k in denominations:
for i in xrange(k, len(r)):
r[i] += r[i - k]
return r[total]
print change(100, (50, 20, 10, 5, 1))
Polya的书“如何解决它”中讨论了这种方法。通常,使用memoisation来改进递归解决方案是一种在Python中编写动态编程解决方案的简单方法,但我个人认为,能够降低一个级别并确切地弄清楚如何构建中间结果是一项重要的技能。动态编程解决方案中的表格。通常(并在此举例说明),结果更快,更简单易读(尽管首先编写代码更难)。
答案 1 :(得分:2)
当您可以使用通用的预先编写的装饰器时,没有必要编写专门的记忆装饰器......例如直接来自PythonDecoratorLibrary:
import collections
import functools
class memoized(object):
'''Decorator. Caches a function's return value each time it is called.
If called later with the same arguments, the cached value is returned
(not reevaluated).
'''
def __init__(self, func):
self.func = func
self.cache = {}
def __call__(self, *args):
if not isinstance(args, collections.Hashable):
# uncacheable. a list, for instance.
# better to not cache than blow up.
return self.func(*args)
if args in self.cache:
return self.cache[args]
else:
value = self.func(*args)
self.cache[args] = value
return value
def __repr__(self):
'''Return the function's docstring.'''
return self.func.__doc__
def __get__(self, obj, objtype):
'''Support instance methods.'''
return functools.partial(self.__call__, obj)
然后你可以将它应用到你的change()
函数(或任何其他函数,因为它是通用的),如下所示:
@memoized
def change(a, kinds=(50, 20, 10, 5, 1)):
if a == 0:
return 1
if a < 0 or len(kinds) == 0:
return 0
return change(a - kinds[0], kinds) + change(a, kinds[1:])
print(change(10)) # 4