在使用线程的地方,有时需要初始化多个线程外部的目标变量,通过传入参数方式逐个导入变量会略显麻烦。这些变量一些是基本类型的,另一些是复合型的,例如非UI类和UI组件。在线程内部处理多个不同类型外部变量的初始化,会逐渐使代码变得“臃肿”不堪。为了使代码变得简洁的同时,提高模块可重复使用性,自定义线程回调函数callback是很有吸引力的。
通常情况下,变量的初始化都是可预见的。在处理多个线程外部变量预设问题上,自定义回调函数比传入参数与预设值更加简洁优雅。同时由于Python的特性,变量的类型是“非固定”的——非预设且可以转换。Python变量的类型可以是常见基本数据类型,也可以是复合类型,例如类或函数类型。在作为函数(方法)类型时,它还具备被调用的特性。不得不说是很魔幻的!
现在开始如标题所言的实践。在下面的代码中,定义Tkinter界面,创建开始按钮start_button,并绑定该组件点击事件。
'''
@author: MR.N
@created: 2022/3/3 Wed.
'''
import tkinter as tk
class MyWindow:
def __init__(self):
self.window = tk.Tk()
self.counter = -1
self.start_button = tk.Button(self.window, text='START', width=16, height=16)
self.start_button.config(command=self.start)
self.start_button.pack(side='top', expand='true', fill='x')
...
self.window.mainloop()
def reset_counter(self):
self.counter = 0
self.counter2 = 0
def next_counter(self, step=1):
self.counter += step
self.counter2 += 1 if step > 0 else -1
def start(self):
...
my_window = MyWindow()
定义线程Thread类及其回调函数callback、callback2,callback是MyThread外部变量的初始化方法,callback2是改变该变量的方法。
'''
@author: MR.N
@created: 2022/3/3 Wed.
'''
import tkinter as tk
import threading
class MyWindow:
...
def start(self):
self.start_button.config(state='disabled')
# 定义内部类
class MyThread(threading.Thread):
def __init__(self, t=None, obj=None):
super().__init__()
self.button = None
self.callback = None
self.callback2 = None
def set_button(self, button=None):
self.button = button
def set_callback(self, callback=None, callback2=None):
self.callback = callback
self.callback2 = callback2
def run(self):
try:
if self.start_button is not None:
self.start_button.config(state='disabled')
if self.callback is not None:
self.callback()
if self.callback2 is not None:
self.callback2(1)
...
except:
if self.callback2 is not None:
self.callback2(-1)
finally:
if self.button is not None:
self.button.config(state='normal')
my_thread = MyThread()
my_thread.set_button(self.start_button)
my_thread.set_callback(self.reset_counter, self.next_counter)
my_thread.start()
笔记:
??????? 自定义线程回调函数callback的好处就是,初始化多个线程外部变量时,可以不必传入多个参数。在线程竞争资源与用户界面交互方面,此类方法具有很大的优势。
|