3 回答
TA贡献1796条经验 获得超4个赞
Tkinter 并非设计为由多个线程访问。这是一位对 tcl 和 tk 的工作原理(tkinter 所依赖的库)有非常深入了解的人的一个很好的回答,解释了为什么会这样。
从 Tkinter Tcl 回调到 python 函数在 Windows 中崩溃
这是该答案中两段中的第一段:
每个 Tcl 解释器对象(即知道如何运行 Tcl 过程的上下文)只能从创建它的 OS 线程中安全使用。这是因为 Tcl 不像 Python 那样使用全局解释器锁,而是广泛使用线程特定数据来减少内部所需的锁数量。(编写良好的 Tcl 代码可以利用这一点在合适的硬件上进行非常大的扩展。)
TA贡献1828条经验 获得超6个赞
def startUp():
user_input()
thr = threading.Thread(target=user_input)
thr.start()
这看起来不对。您正在调用user_input()主线程和子线程。如果您只希望它在子线程中运行,请不要第一次调用它。
def startUp():
thr = threading.Thread(target=user_input)
thr.start()
TA贡献1829条经验 获得超7个赞
我建议使用 oo 方法。
在下面的代码中,我尝试使功能脚本适应您的代码。
首先,我使用了一个变量作为
self.nameInput = tk.IntVar()
将用户输入存储在
tk.Entry(w, bg='white', textvariable=self.nameInput).pack()
我使用了 Entry 小部件而不是 Text,但它应该是相同的。
此外,我使用一个类来管理线程启动和停止操作。
看,我用 'check' 改变了你的 'start' 变量,因为 start 是一个保留字
在python线程模块中。
我试图重新创建您的代码的功能。
尝试导入和使用您的 ApexLegends。
import tkinter as tk
import threading
import queue
import datetime
import time
class MyThread(threading.Thread):
def __init__(self, queue,nameInput):
threading.Thread.__init__(self)
self.queue = queue
self.nameInput = nameInput
self.check = True
def stop(self):
self.check = False
def run(self):
while self.check:
# apex = ApexLegends("APIKey")
#player = apex.player(self.nameInput.get())
x = "Gesamt Kills: " + "player.kills" + "\n" + 'Gesamt Damage: ' + "player.damage"+ "\n"
s = datetime.datetime.now().strftime("%Y-%m-%d %H:%M:%S")
msg = "{} datetime: {} nameInput {}".format(x,s,self.nameInput.get())
time.sleep(3)
self.queue.put(msg)
class App(tk.Frame):
def __init__(self,):
super().__init__()
self.master.title("Hello World")
self.master.protocol("WM_DELETE_WINDOW",self.on_close)
self.queue = queue.Queue()
self.my_thread = None
self.nameInput = tk.IntVar()
self.init_ui()
def init_ui(self):
self.f = tk.Frame()
w = tk.Frame()
tk.Label(w, text = "Gib einen Spielernamen ein und drücke Start").pack()
tk.Entry(w, bg='white', textvariable=self.nameInput).pack()
w.pack(side=tk.LEFT, fill=tk.BOTH, expand=0)
w = tk.Frame()
tk.Button(w, text="Start", command=self.startUp).pack()
tk.Button(w, text="Stop", command=self.stop_thread).pack()
tk.Button(w, text="Close", command=self.on_close).pack()
w.pack(side=tk.RIGHT, fill=tk.BOTH, expand=0)
self.f.pack(side=tk.LEFT, fill=tk.BOTH, expand=0)
def startUp(self):
if (threading.active_count()!=0):
self.my_thread = MyThread(self.queue,self.nameInput)
self.my_thread.start()
self.periodiccall()
def stop_thread(self):
if(threading.active_count()!=1):
self.my_thread.stop()
def periodiccall(self):
self.checkqueue()
if self.my_thread.is_alive():
self.after(1, self.periodiccall)
else:
pass
def checkqueue(self):
while self.queue.qsize():
try:
ret = self.queue.get(0)
msg = "%s"%(ret)
print(msg)
except queue.Empty:
pass
def on_close(self):
if(threading.active_count()!=0):
if self.my_thread is not None:
self.my_thread.stop()
self.master.destroy()
if __name__ == '__main__':
app = App()
app.mainloop()
添加回答
举报