locache
is a single-file, 0-dependency utility package for caching the results of deterministic and pure function calls to disk, exposed via the @persist
decorator.
These caches are:
- persistent across separate Python sessions: run the function once to cache the result to disk, and then hit the cache again and again in different runs/notebooks/scripts/sessions
- aware of the function's source code: if the function's source code changes, new values will be cached. If you change the source code back, the old values will still be in the cache (useful for using different versions of a function on e.g. different branches)
- configurable with
max_entries
andmax_age
parameters: control how many entries to store, and how long to keep them in the cache for.
Have you ever written something like this?
# result = expensive_function(X, y)
result = np.load("cached_result.npy")
This is somewhat dangerous: what if you have changed expensive_function
and forgotten to update the cache? Or accidentally deleted your cache file? Or you have result = np.load("cached_result-v3-final.npy")
?
locache.persist
is an easy way to avoid these issues:
- wrap
expensive_function
with@persist
- call
expensive_function
as usual locache
automatically caches the result ofexpensive_function
to disk. If the function's source code changes, new values will be cached.
locache
is simple enough that you could have written it yourself. To use it in your project, either:
- copy the
locache.py
file into your project - install it with
pip install locache
locache
provides 3 importable functions:
- the
@persist
decorator reset
verbose
Wrap a pure function with @persist
in order to cache its results to disk. The only stipulation is that the function's arguments and return value must be pickle-able.
>>> from locache import persist
>>> @persist
... def my_func(x, num=3):
... print("Hi from foo!")
... return x * num
>>> my_func(1) # function behaviour is unchanged
Hi from foo!
3
>>> my_func(2, num=2)
Hi from foo!
4
>>> my_func(1) # cached results are returned
3
By default, @persist
will store up to unlimited entries. Each of these will be removed 365 days after they are last accessed. These parameters can be changed by passing max_entries
and max_age
to @persist
.
Reset the cache for a given function.
>>> from locache import reset
>>> @persist
... def squared(x):
... print(f"Squaring {x}")
... return x * x
>>> squared(2) # cache miss
Squaring 2
4
>>> squared(2) # cache hit
4
>>> reset(squared)
>>> squared(2) # cache miss
Squaring 2
4
Turn on verbose, debug logging.