How can you configure lru_cache
to key its cache based on actual values received, rather than how the function was called?
>>> from functools import lru_cache
>>> @lru_cache
... def f(x=2):
... print("reticulating splines...")
... return x ** 2
...
>>> f()
reticulating splines...
4
>>> f(2)
reticulating splines...
4
>>> f(x=2)
reticulating splines...
4
In other words, only the first call above should be a cache miss, the other two should be cache hits.
To do that, you would have to go through the process of binding arguments to formal parameters. The actual process of doing that is implemented in C code with no public interface, but there's a (much slower) reimplementation in
inspect
. This is about 100x slower than usingfunctools.lru_cache
normally:If the performance penalty of that approach is too much, you can instead use the following trick, which requires more code duplication but runs much faster, only about 2x slower than using
lru_cache
normally (and sometimes faster, with keyword arguments):This uses the much faster C-level argument binding to normalize the call to the memoized helper function, but requires duplicating the function's parameters 3 times: once in the outer function's signature, once in the helper's signature, and once in the call to the helper.