我一直在多线程和 tkinter 方面遇到困难。slxl
是我使用的一个模块,它的功能不返回值(只是为了确保没有混淆。)
这是过去有效的代码:
#relevant tkinter code
def create_widgets():
self.updatebttn = Button(self, text='Auto Update', command=self.spawnthread)
self.updatebttn.grid(row=1, column=0, sticky=N)
self.progressbar = Progressbar(self, orient='horizontal',
length=300, mode='determinate')
self.progressbar.grid(row=1, column=1, sticky=W)
self.progressbar["maximum"] = (slxl.sizeFinder()) * 1.1
def spawnthread(self):
self.updatebttn.config(state="disabled")
self.thread = ThreadedClient1(self.queue)
self.thread.start()
self.periodiccall()
def periodiccall(self):
if self.thread.is_alive():
self.after(100, self.periodiccall)
self.progressbar.step(500)
else:
self.updatebttn.config(state="active")
self.progressbar.stop()
class ThreadedClient1(threading.Thread):
def __init__(self, queue):
threading.Thread.__init__(self)
self.queue = queue
def run(self):
time.sleep(1)
importer = slxl.runImportAndCoordAdder()
self.queue.put(importer)
问题是,我希望 ThreadedClient1 能够将它放入队列中的函数,在这种情况下slxl.runImportAndCoordAdder()
作为参数,因为我ThreadedClient
不止一次使用不同的函数(我稍后在程序中有相同的用法)仅具有不同的功能),我不喜欢拥有ThreadedClient1
and ThreadedClient2
,唯一的区别是importer =
不同的功能。
我确实尝试过使用 lambda 的解决方案:
def spawnthread(self):
self.updatebttn.config(state="disabled")
self.thread = ThreadedClient1(self.queue, lambda: slxl.runImportAndCoordAdder())
self.thread.start()
self.periodiccall()
#periodic call is the same
class ThreadedClient1(threading.Thread):
def __init__(self, queue, fcn):
threading.Thread.__init__(self)
self.queue = queue
self.fcn = fcn
def run(self):
time.sleep(1)
self.queue.put(lambda: self.fcn)
这不起作用,因为它忽略了我感兴趣的功能,稍微调整了进度条/禁用并启用了按钮,然后结束。
我究竟做错了什么?
编辑:
问题解决了。然而,另一个出现了。我想将spawnthread
、periodiccall
和转移ThreadedClient
到我拥有的小部件模板模块并对其进行概括,以便我可以轻松使用它们。我这样做了:
def spawnthread(self, widget):
widget.config(state="disabled")
self.thread = ThreadedClient1(self.queue)
self.thread.start()
self.periodiccall()
这很有效,直到我也尝试概括periodiccall
。
#...
self.periodiccall(widget=widget)
def periodiccall(self, widget=None):
if self.thread.is_alive():
self.after(100, self.periodiccall)
self.progressbar.step(500)
#print widget
else:
widget.config(state="active")
self.progressbar.stop()
print widget
自从我不断收到属性错误以来,我突然出现以查看发生了什么。似乎正在发生的事情是,它第一次运行通过它知道“小部件”是什么的函数,然后通过在语句中None
调用它变成我希望它是。至少,这就是我认为正在发生的事情。如何删除此错误并使小部件成为此递归函数中的变量?self.periodiccall
after