使用objgraph,我发现了一堆这样的对象:
Python 的垃圾收集器会处理这样的循环,还是会泄漏?
循环的略宽视图:
为了稍微扩展 Frédéric 的回答,文档的“引用计数”部分很好地解释了补充循环检测。
因为我发现解释事情是确认我理解它的好方法,所以这里有一些例子......对于这两个类:
class WithDel(object):
def __del__(self):
print "deleting %s object at %s" % (self.__class__.__name__, id(self))
class NoDel(object):
pass
由于引用计数,创建对象并从a
触发方法中丢失引用:__del__
>>> a = WithDel()
>>> a = None # leaving the WithDel object with no references
deleting WithDel object at 4299615184
如果我们在没有 __del__
方法的两个对象之间创建一个引用循环,那么一切仍然是无泄漏的,这一次要归功于循环检测。首先,启用垃圾收集调试输出:
>>> import gc
>>> gc.set_debug(gc.DEBUG_COLLECTABLE | gc.DEBUG_UNCOLLECTABLE | gc.DEBUG_OBJECTS)
然后在两个对象之间做一个引用循环:
>>> a = NoDel(); b = NoDel()
>>> a.other = b; b.other = a # cyclical reference
>>> a = None; b = None # Leave only the reference-cycle
>>> gc.collect()
gc: collectable <NoDel 0x10046ed50>
gc: collectable <NoDel 0x10046ed90>
gc: collectable <dict 0x100376c20>
gc: collectable <dict 0x100376b00>
4
>>> gc.garbage
[]
(dict
来自对象内部__dict__
属性)
一切都很好,直到循环中的一个对象包含一个__del__
方法:
>>> a = NoDel(); b = WithDel()
>>> a.other = b; b.other = a
>>> a = None; b = None
>>> gc.collect()
gc: uncollectable <WithDel 0x10046edd0>
gc: uncollectable <dict 0x100376b00>
gc: uncollectable <NoDel 0x10046ed90>
gc: uncollectable <dict 0x100376c20>
4
>>> gc.garbage
[<__main__.WithDel object at 0x10046edd0>]
正如保罗所提到的,循环可以被打破weakref
:
>>> import weakref
>>> a = NoDel(); b = WithDel()
>>> a.other = weakref.ref(b)
>>> b.other = a # could also be a weakref
然后,当对对象的b
引用WithDel
丢失时,它会被删除,尽管循环:
>>> b = None
deleting WithDel object at 4299656848
>>> a.other
<weakref at 0x10045b9f0; dead>
哦,objgraph会很有帮助地指出像这样有问题的__del__
方法
Python 的 GC 旨在遍历所有活动对象以定位和消除没有外部引用的引用循环。
gc.collect()
您可以通过运行然后打印gc.garbage
和gc.get_objects来验证正在发生的事情。
如果您对父指针使用弱引用,则 GC 将正常发生。