__weakref__
与弱引用有关。我了解弱引用背后的整个想法以及我可能在哪里使用它们。我唯一没有得到的东西在下面描述:
实例本身没有属性__weakref__
,与类不同,因此实例从类继承__weakref__
,这意味着A.__weakref__
应该与A().__weakref__
相同:
>>> class A: pass
...
>>> A().__dict__ # Each instance starts out as an empty namespace
{}
>>> A.__weakref__ is None;
False
>>> A().__weakref__ is None #But this is True!
True
尽管实例从类继承__weakref__
,为什么A.__weakref__
不None
而instance.__weakref__
None
?
类具有__weakref__
数据描述符属性;这就像property
一样;只有当您访问实例上的属性时,它才会自动绑定。弱引用的实际数据存储在 C 结构中,这是 Python 用于表示内存中的类和实例的数据结构的一部分。
因此,实例不需要自己的 __weakref__
属性。类描述符绑定到实例数据结构,然后 C 代码只需查找正确的 C 结构即可检索所需的信息。
访问类上的属性会生成描述符对象本身。这不是None
;它是描述符对象。在实例上,绑定属性生成弱引用。没有弱引用表示返回None
。
您可以通过A.__dict__['__weakref__']
访问对象(绕过正常的type.__getattribute__()
绑定行为)重新创建描述符行为,然后直接调用__get__
:
>>> import weakref
>>> class A(object): pass
...
>>> a = A()
>>> A.__weakref__
<attribute '__weakref__' of 'A' objects>
>>> descriptor = A.__dict__['__weakref__']
>>> descriptor.__get__(None, A)
<attribute '__weakref__' of 'A' objects>
>>> a = A()
>>> a.__weakref__ is None
True
>>> descriptor.__get__(a) is None
True
>>> wr = weakref.ref(a) # add a weak reference
>>> wr
<weakref at 0x10bd86d68; to 'A' at 0x10bad3588>
>>> a.__weakref__
<weakref at 0x10bd86d68; to 'A' at 0x10bad3588>
>>> descriptor.__get__(a)
<weakref at 0x10bd86d68; to 'A' at 0x10bad3588>