我有一个threading.local
个对象。在调试时,我想获得它为所有线程包含的所有对象,而我只是在其中一个线程上。我怎样才能做到这一点?
答案 0 :(得分:4)
如果你正在使用threading.local
(from _threading_local import local
)的纯python版本,这是可能的:
for t in threading.enumerate():
for item in t.__dict__:
if isinstance(item, tuple): # Each thread's `local` state is kept in a tuple stored in its __dict__
print("Thread's local is %s" % t.__dict__[item])
以下是该行动的一个例子:
from _threading_local import local
import threading
import time
l = local()
def f():
global l
l.ok = "HMM"
time.sleep(50)
if __name__ == "__main__":
l.ok = 'hi'
t = threading.Thread(target=f)
t.start()
for t in threading.enumerate():
for item in t.__dict__:
if isinstance(item, tuple):
print("Thread's local is %s" % t.__dict__[item])
输出:
Thread's local is {'ok': 'hi'}
Thread's local is {'ok': 'HMM'}
这利用了local
的纯python实现在local
对象Thread
中存储每个线程的__dict__
状态这一事实。 ,使用元组对象作为键:
>>> threading.current_thread().__dict__
{ ..., ('_local__key', 'thread.local.140466266257288'): {'ok': 'hi'}, ...}
如果您正在使用local
中编写的C
的实现(如果您只使用from threading import local
通常就是这种情况),我不确定如何/如果你能做到的话。