1:mod:`weakref` --- Weak references 2================================== 3 4.. module:: weakref 5 :synopsis: Support for weak references and weak dictionaries. 6 7.. moduleauthor:: Fred L. Drake, Jr. <fdrake@acm.org> 8.. moduleauthor:: Neil Schemenauer <nas@arctrix.com> 9.. moduleauthor:: Martin von Löwis <martin@loewis.home.cs.tu-berlin.de> 10.. sectionauthor:: Fred L. Drake, Jr. <fdrake@acm.org> 11 12**Source code:** :source:`Lib/weakref.py` 13 14-------------- 15 16The :mod:`weakref` module allows the Python programmer to create :dfn:`weak 17references` to objects. 18 19.. When making changes to the examples in this file, be sure to update 20 Lib/test/test_weakref.py::libreftest too! 21 22In the following, the term :dfn:`referent` means the object which is referred to 23by a weak reference. 24 25A weak reference to an object is not enough to keep the object alive: when the 26only remaining references to a referent are weak references, 27:term:`garbage collection` is free to destroy the referent and reuse its memory 28for something else. However, until the object is actually destroyed the weak 29reference may return the object even if there are no strong references to it. 30 31A primary use for weak references is to implement caches or 32mappings holding large objects, where it's desired that a large object not be 33kept alive solely because it appears in a cache or mapping. 34 35For example, if you have a number of large binary image objects, you may wish to 36associate a name with each. If you used a Python dictionary to map names to 37images, or images to names, the image objects would remain alive just because 38they appeared as values or keys in the dictionaries. The 39:class:`WeakKeyDictionary` and :class:`WeakValueDictionary` classes supplied by 40the :mod:`weakref` module are an alternative, using weak references to construct 41mappings that don't keep objects alive solely because they appear in the mapping 42objects. If, for example, an image object is a value in a 43:class:`WeakValueDictionary`, then when the last remaining references to that 44image object are the weak references held by weak mappings, garbage collection 45can reclaim the object, and its corresponding entries in weak mappings are 46simply deleted. 47 48:class:`WeakKeyDictionary` and :class:`WeakValueDictionary` use weak references 49in their implementation, setting up callback functions on the weak references 50that notify the weak dictionaries when a key or value has been reclaimed by 51garbage collection. :class:`WeakSet` implements the :class:`set` interface, 52but keeps weak references to its elements, just like a 53:class:`WeakKeyDictionary` does. 54 55:class:`finalize` provides a straight forward way to register a 56cleanup function to be called when an object is garbage collected. 57This is simpler to use than setting up a callback function on a raw 58weak reference, since the module automatically ensures that the finalizer 59remains alive until the object is collected. 60 61Most programs should find that using one of these weak container types 62or :class:`finalize` is all they need -- it's not usually necessary to 63create your own weak references directly. The low-level machinery is 64exposed by the :mod:`weakref` module for the benefit of advanced uses. 65 66Not all objects can be weakly referenced; those objects which can include class 67instances, functions written in Python (but not in C), instance methods, sets, 68frozensets, some :term:`file objects <file object>`, :term:`generators <generator>`, 69type objects, sockets, arrays, deques, regular expression pattern objects, and code 70objects. 71 72.. versionchanged:: 3.2 73 Added support for thread.lock, threading.Lock, and code objects. 74 75Several built-in types such as :class:`list` and :class:`dict` do not directly 76support weak references but can add support through subclassing:: 77 78 class Dict(dict): 79 pass 80 81 obj = Dict(red=1, green=2, blue=3) # this object is weak referenceable 82 83.. impl-detail:: 84 85 Other built-in types such as :class:`tuple` and :class:`int` do not support weak 86 references even when subclassed. 87 88Extension types can easily be made to support weak references; see 89:ref:`weakref-support`. 90 91 92.. class:: ref(object[, callback]) 93 94 Return a weak reference to *object*. The original object can be retrieved by 95 calling the reference object if the referent is still alive; if the referent is 96 no longer alive, calling the reference object will cause :const:`None` to be 97 returned. If *callback* is provided and not :const:`None`, and the returned 98 weakref object is still alive, the callback will be called when the object is 99 about to be finalized; the weak reference object will be passed as the only 100 parameter to the callback; the referent will no longer be available. 101 102 It is allowable for many weak references to be constructed for the same object. 103 Callbacks registered for each weak reference will be called from the most 104 recently registered callback to the oldest registered callback. 105 106 Exceptions raised by the callback will be noted on the standard error output, 107 but cannot be propagated; they are handled in exactly the same way as exceptions 108 raised from an object's :meth:`__del__` method. 109 110 Weak references are :term:`hashable` if the *object* is hashable. They will 111 maintain their hash value even after the *object* was deleted. If 112 :func:`hash` is called the first time only after the *object* was deleted, 113 the call will raise :exc:`TypeError`. 114 115 Weak references support tests for equality, but not ordering. If the referents 116 are still alive, two references have the same equality relationship as their 117 referents (regardless of the *callback*). If either referent has been deleted, 118 the references are equal only if the reference objects are the same object. 119 120 This is a subclassable type rather than a factory function. 121 122 .. attribute:: __callback__ 123 124 This read-only attribute returns the callback currently associated to the 125 weakref. If there is no callback or if the referent of the weakref is 126 no longer alive then this attribute will have value ``None``. 127 128 .. versionchanged:: 3.4 129 Added the :attr:`__callback__` attribute. 130 131 132.. function:: proxy(object[, callback]) 133 134 Return a proxy to *object* which uses a weak reference. This supports use of 135 the proxy in most contexts instead of requiring the explicit dereferencing used 136 with weak reference objects. The returned object will have a type of either 137 ``ProxyType`` or ``CallableProxyType``, depending on whether *object* is 138 callable. Proxy objects are not :term:`hashable` regardless of the referent; this 139 avoids a number of problems related to their fundamentally mutable nature, and 140 prevent their use as dictionary keys. *callback* is the same as the parameter 141 of the same name to the :func:`ref` function. 142 143 .. versionchanged:: 3.8 144 Extended the operator support on proxy objects to include the matrix 145 multiplication operators ``@`` and ``@=``. 146 147 148.. function:: getweakrefcount(object) 149 150 Return the number of weak references and proxies which refer to *object*. 151 152 153.. function:: getweakrefs(object) 154 155 Return a list of all weak reference and proxy objects which refer to *object*. 156 157 158.. class:: WeakKeyDictionary([dict]) 159 160 Mapping class that references keys weakly. Entries in the dictionary will be 161 discarded when there is no longer a strong reference to the key. This can be 162 used to associate additional data with an object owned by other parts of an 163 application without adding attributes to those objects. This can be especially 164 useful with objects that override attribute accesses. 165 166 167:class:`WeakKeyDictionary` objects have an additional method that 168exposes the internal references directly. The references are not guaranteed to 169be "live" at the time they are used, so the result of calling the references 170needs to be checked before being used. This can be used to avoid creating 171references that will cause the garbage collector to keep the keys around longer 172than needed. 173 174 175.. method:: WeakKeyDictionary.keyrefs() 176 177 Return an iterable of the weak references to the keys. 178 179 180.. class:: WeakValueDictionary([dict]) 181 182 Mapping class that references values weakly. Entries in the dictionary will be 183 discarded when no strong reference to the value exists any more. 184 185 186:class:`WeakValueDictionary` objects have an additional method that has the 187same issues as the :meth:`keyrefs` method of :class:`WeakKeyDictionary` 188objects. 189 190 191.. method:: WeakValueDictionary.valuerefs() 192 193 Return an iterable of the weak references to the values. 194 195 196.. class:: WeakSet([elements]) 197 198 Set class that keeps weak references to its elements. An element will be 199 discarded when no strong reference to it exists any more. 200 201 202.. class:: WeakMethod(method) 203 204 A custom :class:`ref` subclass which simulates a weak reference to a bound 205 method (i.e., a method defined on a class and looked up on an instance). 206 Since a bound method is ephemeral, a standard weak reference cannot keep 207 hold of it. :class:`WeakMethod` has special code to recreate the bound 208 method until either the object or the original function dies:: 209 210 >>> class C: 211 ... def method(self): 212 ... print("method called!") 213 ... 214 >>> c = C() 215 >>> r = weakref.ref(c.method) 216 >>> r() 217 >>> r = weakref.WeakMethod(c.method) 218 >>> r() 219 <bound method C.method of <__main__.C object at 0x7fc859830220>> 220 >>> r()() 221 method called! 222 >>> del c 223 >>> gc.collect() 224 0 225 >>> r() 226 >>> 227 228 .. versionadded:: 3.4 229 230.. class:: finalize(obj, func, *args, **kwargs) 231 232 Return a callable finalizer object which will be called when *obj* 233 is garbage collected. Unlike an ordinary weak reference, a finalizer 234 will always survive until the reference object is collected, greatly 235 simplifying lifecycle management. 236 237 A finalizer is considered *alive* until it is called (either explicitly 238 or at garbage collection), and after that it is *dead*. Calling a live 239 finalizer returns the result of evaluating ``func(*arg, **kwargs)``, 240 whereas calling a dead finalizer returns :const:`None`. 241 242 Exceptions raised by finalizer callbacks during garbage collection 243 will be shown on the standard error output, but cannot be 244 propagated. They are handled in the same way as exceptions raised 245 from an object's :meth:`__del__` method or a weak reference's 246 callback. 247 248 When the program exits, each remaining live finalizer is called 249 unless its :attr:`atexit` attribute has been set to false. They 250 are called in reverse order of creation. 251 252 A finalizer will never invoke its callback during the later part of 253 the :term:`interpreter shutdown` when module globals are liable to have 254 been replaced by :const:`None`. 255 256 .. method:: __call__() 257 258 If *self* is alive then mark it as dead and return the result of 259 calling ``func(*args, **kwargs)``. If *self* is dead then return 260 :const:`None`. 261 262 .. method:: detach() 263 264 If *self* is alive then mark it as dead and return the tuple 265 ``(obj, func, args, kwargs)``. If *self* is dead then return 266 :const:`None`. 267 268 .. method:: peek() 269 270 If *self* is alive then return the tuple ``(obj, func, args, 271 kwargs)``. If *self* is dead then return :const:`None`. 272 273 .. attribute:: alive 274 275 Property which is true if the finalizer is alive, false otherwise. 276 277 .. attribute:: atexit 278 279 A writable boolean property which by default is true. When the 280 program exits, it calls all remaining live finalizers for which 281 :attr:`.atexit` is true. They are called in reverse order of 282 creation. 283 284 .. note:: 285 286 It is important to ensure that *func*, *args* and *kwargs* do 287 not own any references to *obj*, either directly or indirectly, 288 since otherwise *obj* will never be garbage collected. In 289 particular, *func* should not be a bound method of *obj*. 290 291 .. versionadded:: 3.4 292 293 294.. data:: ReferenceType 295 296 The type object for weak references objects. 297 298 299.. data:: ProxyType 300 301 The type object for proxies of objects which are not callable. 302 303 304.. data:: CallableProxyType 305 306 The type object for proxies of callable objects. 307 308 309.. data:: ProxyTypes 310 311 Sequence containing all the type objects for proxies. This can make it simpler 312 to test if an object is a proxy without being dependent on naming both proxy 313 types. 314 315 316.. seealso:: 317 318 :pep:`205` - Weak References 319 The proposal and rationale for this feature, including links to earlier 320 implementations and information about similar features in other languages. 321 322 323.. _weakref-objects: 324 325Weak Reference Objects 326---------------------- 327 328Weak reference objects have no methods and no attributes besides 329:attr:`ref.__callback__`. A weak reference object allows the referent to be 330obtained, if it still exists, by calling it: 331 332 >>> import weakref 333 >>> class Object: 334 ... pass 335 ... 336 >>> o = Object() 337 >>> r = weakref.ref(o) 338 >>> o2 = r() 339 >>> o is o2 340 True 341 342If the referent no longer exists, calling the reference object returns 343:const:`None`: 344 345 >>> del o, o2 346 >>> print(r()) 347 None 348 349Testing that a weak reference object is still live should be done using the 350expression ``ref() is not None``. Normally, application code that needs to use 351a reference object should follow this pattern:: 352 353 # r is a weak reference object 354 o = r() 355 if o is None: 356 # referent has been garbage collected 357 print("Object has been deallocated; can't frobnicate.") 358 else: 359 print("Object is still live!") 360 o.do_something_useful() 361 362Using a separate test for "liveness" creates race conditions in threaded 363applications; another thread can cause a weak reference to become invalidated 364before the weak reference is called; the idiom shown above is safe in threaded 365applications as well as single-threaded applications. 366 367Specialized versions of :class:`ref` objects can be created through subclassing. 368This is used in the implementation of the :class:`WeakValueDictionary` to reduce 369the memory overhead for each entry in the mapping. This may be most useful to 370associate additional information with a reference, but could also be used to 371insert additional processing on calls to retrieve the referent. 372 373This example shows how a subclass of :class:`ref` can be used to store 374additional information about an object and affect the value that's returned when 375the referent is accessed:: 376 377 import weakref 378 379 class ExtendedRef(weakref.ref): 380 def __init__(self, ob, callback=None, /, **annotations): 381 super(ExtendedRef, self).__init__(ob, callback) 382 self.__counter = 0 383 for k, v in annotations.items(): 384 setattr(self, k, v) 385 386 def __call__(self): 387 """Return a pair containing the referent and the number of 388 times the reference has been called. 389 """ 390 ob = super(ExtendedRef, self).__call__() 391 if ob is not None: 392 self.__counter += 1 393 ob = (ob, self.__counter) 394 return ob 395 396 397.. _weakref-example: 398 399Example 400------- 401 402This simple example shows how an application can use object IDs to retrieve 403objects that it has seen before. The IDs of the objects can then be used in 404other data structures without forcing the objects to remain alive, but the 405objects can still be retrieved by ID if they do. 406 407.. Example contributed by Tim Peters. 408 409:: 410 411 import weakref 412 413 _id2obj_dict = weakref.WeakValueDictionary() 414 415 def remember(obj): 416 oid = id(obj) 417 _id2obj_dict[oid] = obj 418 return oid 419 420 def id2obj(oid): 421 return _id2obj_dict[oid] 422 423 424.. _finalize-examples: 425 426Finalizer Objects 427----------------- 428 429The main benefit of using :class:`finalize` is that it makes it simple 430to register a callback without needing to preserve the returned finalizer 431object. For instance 432 433 >>> import weakref 434 >>> class Object: 435 ... pass 436 ... 437 >>> kenny = Object() 438 >>> weakref.finalize(kenny, print, "You killed Kenny!") #doctest:+ELLIPSIS 439 <finalize object at ...; for 'Object' at ...> 440 >>> del kenny 441 You killed Kenny! 442 443The finalizer can be called directly as well. However the finalizer 444will invoke the callback at most once. 445 446 >>> def callback(x, y, z): 447 ... print("CALLBACK") 448 ... return x + y + z 449 ... 450 >>> obj = Object() 451 >>> f = weakref.finalize(obj, callback, 1, 2, z=3) 452 >>> assert f.alive 453 >>> assert f() == 6 454 CALLBACK 455 >>> assert not f.alive 456 >>> f() # callback not called because finalizer dead 457 >>> del obj # callback not called because finalizer dead 458 459You can unregister a finalizer using its :meth:`~finalize.detach` 460method. This kills the finalizer and returns the arguments passed to 461the constructor when it was created. 462 463 >>> obj = Object() 464 >>> f = weakref.finalize(obj, callback, 1, 2, z=3) 465 >>> f.detach() #doctest:+ELLIPSIS 466 (<...Object object ...>, <function callback ...>, (1, 2), {'z': 3}) 467 >>> newobj, func, args, kwargs = _ 468 >>> assert not f.alive 469 >>> assert newobj is obj 470 >>> assert func(*args, **kwargs) == 6 471 CALLBACK 472 473Unless you set the :attr:`~finalize.atexit` attribute to 474:const:`False`, a finalizer will be called when the program exits if it 475is still alive. For instance 476 477.. doctest:: 478 :options: +SKIP 479 480 >>> obj = Object() 481 >>> weakref.finalize(obj, print, "obj dead or exiting") 482 <finalize object at ...; for 'Object' at ...> 483 >>> exit() 484 obj dead or exiting 485 486 487Comparing finalizers with :meth:`__del__` methods 488------------------------------------------------- 489 490Suppose we want to create a class whose instances represent temporary 491directories. The directories should be deleted with their contents 492when the first of the following events occurs: 493 494* the object is garbage collected, 495* the object's :meth:`remove` method is called, or 496* the program exits. 497 498We might try to implement the class using a :meth:`__del__` method as 499follows:: 500 501 class TempDir: 502 def __init__(self): 503 self.name = tempfile.mkdtemp() 504 505 def remove(self): 506 if self.name is not None: 507 shutil.rmtree(self.name) 508 self.name = None 509 510 @property 511 def removed(self): 512 return self.name is None 513 514 def __del__(self): 515 self.remove() 516 517Starting with Python 3.4, :meth:`__del__` methods no longer prevent 518reference cycles from being garbage collected, and module globals are 519no longer forced to :const:`None` during :term:`interpreter shutdown`. 520So this code should work without any issues on CPython. 521 522However, handling of :meth:`__del__` methods is notoriously implementation 523specific, since it depends on internal details of the interpreter's garbage 524collector implementation. 525 526A more robust alternative can be to define a finalizer which only references 527the specific functions and objects that it needs, rather than having access 528to the full state of the object:: 529 530 class TempDir: 531 def __init__(self): 532 self.name = tempfile.mkdtemp() 533 self._finalizer = weakref.finalize(self, shutil.rmtree, self.name) 534 535 def remove(self): 536 self._finalizer() 537 538 @property 539 def removed(self): 540 return not self._finalizer.alive 541 542Defined like this, our finalizer only receives a reference to the details 543it needs to clean up the directory appropriately. If the object never gets 544garbage collected the finalizer will still be called at exit. 545 546The other advantage of weakref based finalizers is that they can be used to 547register finalizers for classes where the definition is controlled by a 548third party, such as running code when a module is unloaded:: 549 550 import weakref, sys 551 def unloading_module(): 552 # implicit reference to the module globals from the function body 553 weakref.finalize(sys.modules[__name__], unloading_module) 554 555 556.. note:: 557 558 If you create a finalizer object in a daemonic thread just as the program 559 exits then there is the possibility that the finalizer 560 does not get called at exit. However, in a daemonic thread 561 :func:`atexit.register`, ``try: ... finally: ...`` and ``with: ...`` 562 do not guarantee that cleanup occurs either. 563