Ho alcune funzioni computazionalmente intensive nel mio script python che vorrei memorizzare nella cache. Sono andato alla ricerca di soluzioni sullo stack overflow e ho trovato molti link:
- link
- link
- link
- link (Ho usato questo per le applicazioni dei flask, ma questa non è un'applicazione per i flask).
Alla fine, ho finito per incollarlo nel mio programma. Sembra abbastanza semplice - e funziona bene.
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):
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)
Tuttavia, mi chiedo se esiste una best practice canonica in Python. Suppongo di aver pensato che ci sarebbe stato un pacchetto molto usato per gestire questo e sono confuso sul motivo per cui questo non esiste. Il link è solo sulla versione .6 e la sintassi è più complessa della semplice aggiunta di un decoratore @memoize, come in altre soluzioni.