如何functools.lru_cache
在不泄漏内存的情况下使用内部类?
在下面的最小示例中,foo
尽管超出范围并且没有引用者(除了 ),但不会释放实例lru_cache
。
from functools import lru_cache
class BigClass:
pass
class Foo:
def __init__(self):
self.big = BigClass()
@lru_cache(maxsize=16)
def cached_method(self, x):
return x + 5
def fun():
foo = Foo()
print(foo.cached_method(10))
print(foo.cached_method(10)) # use cache
return 'something'
fun()
但是foo
因此foo.big
(a BigClass
) 还活着
import gc; gc.collect() # collect garbage
len([obj for obj in gc.get_objects() if isinstance(obj, Foo)]) # is 1
这意味着Foo
/BigClass
实例仍然驻留在内存中。即使删除Foo
(del Foo
) 也不会释放它们。
为什么要lru_cache
保留实例?缓存不使用一些哈希而不是实际对象吗?
lru_cache
在类中使用 s的推荐方式是什么?