_threading_local.py 7.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246
  1. """Thread-local objects.
  2. (Note that this module provides a Python version of the threading.local
  3. class. Depending on the version of Python you're using, there may be a
  4. faster one available. You should always import the `local` class from
  5. `threading`.)
  6. Thread-local objects support the management of thread-local data.
  7. If you have data that you want to be local to a thread, simply create
  8. a thread-local object and use its attributes:
  9. >>> mydata = local()
  10. >>> mydata.number = 42
  11. >>> mydata.number
  12. 42
  13. You can also access the local-object's dictionary:
  14. >>> mydata.__dict__
  15. {'number': 42}
  16. >>> mydata.__dict__.setdefault('widgets', [])
  17. []
  18. >>> mydata.widgets
  19. []
  20. What's important about thread-local objects is that their data are
  21. local to a thread. If we access the data in a different thread:
  22. >>> log = []
  23. >>> def f():
  24. ... items = sorted(mydata.__dict__.items())
  25. ... log.append(items)
  26. ... mydata.number = 11
  27. ... log.append(mydata.number)
  28. >>> import threading
  29. >>> thread = threading.Thread(target=f)
  30. >>> thread.start()
  31. >>> thread.join()
  32. >>> log
  33. [[], 11]
  34. we get different data. Furthermore, changes made in the other thread
  35. don't affect data seen in this thread:
  36. >>> mydata.number
  37. 42
  38. Of course, values you get from a local object, including a __dict__
  39. attribute, are for whatever thread was current at the time the
  40. attribute was read. For that reason, you generally don't want to save
  41. these values across threads, as they apply only to the thread they
  42. came from.
  43. You can create custom local objects by subclassing the local class:
  44. >>> class MyLocal(local):
  45. ... number = 2
  46. ... initialized = False
  47. ... def __init__(self, **kw):
  48. ... if self.initialized:
  49. ... raise SystemError('__init__ called too many times')
  50. ... self.initialized = True
  51. ... self.__dict__.update(kw)
  52. ... def squared(self):
  53. ... return self.number ** 2
  54. This can be useful to support default values, methods and
  55. initialization. Note that if you define an __init__ method, it will be
  56. called each time the local object is used in a separate thread. This
  57. is necessary to initialize each thread's dictionary.
  58. Now if we create a local object:
  59. >>> mydata = MyLocal(color='red')
  60. Now we have a default number:
  61. >>> mydata.number
  62. 2
  63. an initial color:
  64. >>> mydata.color
  65. 'red'
  66. >>> del mydata.color
  67. And a method that operates on the data:
  68. >>> mydata.squared()
  69. 4
  70. As before, we can access the data in a separate thread:
  71. >>> log = []
  72. >>> thread = threading.Thread(target=f)
  73. >>> thread.start()
  74. >>> thread.join()
  75. >>> log
  76. [[('color', 'red'), ('initialized', True)], 11]
  77. without affecting this thread's data:
  78. >>> mydata.number
  79. 2
  80. >>> mydata.color
  81. Traceback (most recent call last):
  82. ...
  83. AttributeError: 'MyLocal' object has no attribute 'color'
  84. Note that subclasses can define slots, but they are not thread
  85. local. They are shared across threads:
  86. >>> class MyLocal(local):
  87. ... __slots__ = 'number'
  88. >>> mydata = MyLocal()
  89. >>> mydata.number = 42
  90. >>> mydata.color = 'red'
  91. So, the separate thread:
  92. >>> thread = threading.Thread(target=f)
  93. >>> thread.start()
  94. >>> thread.join()
  95. affects what we see:
  96. >>> mydata.number
  97. 11
  98. >>> del mydata
  99. """
  100. from weakref import ref
  101. from contextlib import contextmanager
  102. __all__ = ["local"]
  103. # We need to use objects from the threading module, but the threading
  104. # module may also want to use our `local` class, if support for locals
  105. # isn't compiled in to the `thread` module. This creates potential problems
  106. # with circular imports. For that reason, we don't import `threading`
  107. # until the bottom of this file (a hack sufficient to worm around the
  108. # potential problems). Note that all platforms on CPython do have support
  109. # for locals in the `thread` module, and there is no circular import problem
  110. # then, so problems introduced by fiddling the order of imports here won't
  111. # manifest.
  112. class _localimpl:
  113. """A class managing thread-local dicts"""
  114. __slots__ = 'key', 'dicts', 'localargs', 'locallock', '__weakref__'
  115. def __init__(self):
  116. # The key used in the Thread objects' attribute dicts.
  117. # We keep it a string for speed but make it unlikely to clash with
  118. # a "real" attribute.
  119. self.key = '_threading_local._localimpl.' + str(id(self))
  120. # { id(Thread) -> (ref(Thread), thread-local dict) }
  121. self.dicts = {}
  122. def get_dict(self):
  123. """Return the dict for the current thread. Raises KeyError if none
  124. defined."""
  125. thread = current_thread()
  126. return self.dicts[id(thread)][1]
  127. def create_dict(self):
  128. """Create a new dict for the current thread, and return it."""
  129. localdict = {}
  130. key = self.key
  131. thread = current_thread()
  132. idt = id(thread)
  133. def local_deleted(_, key=key):
  134. # When the localimpl is deleted, remove the thread attribute.
  135. thread = wrthread()
  136. if thread is not None:
  137. del thread.__dict__[key]
  138. def thread_deleted(_, idt=idt):
  139. # When the thread is deleted, remove the local dict.
  140. # Note that this is suboptimal if the thread object gets
  141. # caught in a reference loop. We would like to be called
  142. # as soon as the OS-level thread ends instead.
  143. local = wrlocal()
  144. if local is not None:
  145. dct = local.dicts.pop(idt)
  146. wrlocal = ref(self, local_deleted)
  147. wrthread = ref(thread, thread_deleted)
  148. thread.__dict__[key] = wrlocal
  149. self.dicts[idt] = wrthread, localdict
  150. return localdict
  151. @contextmanager
  152. def _patch(self):
  153. impl = object.__getattribute__(self, '_local__impl')
  154. try:
  155. dct = impl.get_dict()
  156. except KeyError:
  157. dct = impl.create_dict()
  158. args, kw = impl.localargs
  159. self.__init__(*args, **kw)
  160. with impl.locallock:
  161. object.__setattr__(self, '__dict__', dct)
  162. yield
  163. class local:
  164. __slots__ = '_local__impl', '__dict__'
  165. def __new__(cls, *args, **kw):
  166. if (args or kw) and (cls.__init__ is object.__init__):
  167. raise TypeError("Initialization arguments are not supported")
  168. self = object.__new__(cls)
  169. impl = _localimpl()
  170. impl.localargs = (args, kw)
  171. impl.locallock = RLock()
  172. object.__setattr__(self, '_local__impl', impl)
  173. # We need to create the thread dict in anticipation of
  174. # __init__ being called, to make sure we don't call it
  175. # again ourselves.
  176. impl.create_dict()
  177. return self
  178. def __getattribute__(self, name):
  179. with _patch(self):
  180. return object.__getattribute__(self, name)
  181. def __setattr__(self, name, value):
  182. if name == '__dict__':
  183. raise AttributeError(
  184. "%r object attribute '__dict__' is read-only"
  185. % self.__class__.__name__)
  186. with _patch(self):
  187. return object.__setattr__(self, name, value)
  188. def __delattr__(self, name):
  189. if name == '__dict__':
  190. raise AttributeError(
  191. "%r object attribute '__dict__' is read-only"
  192. % self.__class__.__name__)
  193. with _patch(self):
  194. return object.__delattr__(self, name)
  195. from threading import current_thread, RLock