一:del
python 中del语句是删除名称,不是对象,具体看如下可视化:
d = [1,2,3]
d2 = d
del d
print(d2)
第一步:
第二步:
第三步:
当删除的变量保存的是对象的对吼一个引用或者无法得到对象时,del会导致对象被当作垃圾回收。
========================================================================
二:弱引用
当对象的引用数量归零后,垃圾回收程序会把对象销毁
弱引用不会增加对象的引用数量,不会妨碍所指对象被当作垃圾回收,这在缓存中很有用。
通常使用weakref集合和finalize
class Cheese:
def __init__(self, kind):
self.kind = kind
def __repr__(self):
return 'Cheese(%r)' % self.kind
>>> import weakref
>>> stock = weakref.WeakValueDictionary()
>>> catalog = [Cheese('RED'), Cheese('Tilsit')]
>>> for cheese in catalog:
stock[cheese.kind] = cheese
>>> sorted(stock.keys())
Out[12]: ['RED', 'Tilsit']
>>> del catalog
>>> sorted(stock.keys())))
Out[14]: ['Tilsit']
>>> del cheese # 因为for 循环中的变量cheese时全局变量,除非显式删除,否则不会消失。
>>> sorted(stock.keys())
Out[18]: []