使用无限循环退出命令



我有一些问题与tkinter的界面窗口的关闭按钮。我的工具实时显示一些视频,我使用after函数进行无限循环。

当我通过点击十字关闭tkinter窗口时,程序冻结。然而,当我点击按钮时,调用相同的函数,但它正确关闭。

下面是我用来演示问题的最简化的代码。有人能解释和解决这个问题吗?

(顺便说一句,我在OSX上使用Python 2.7.8)

from Tkinter import *
from PIL import Image, ImageTk
import numpy as np
class Test():
    def __init__(self, master):
        self.parent = master
        self.frame = Frame(self.parent)
        self.frame.pack(fill=BOTH, expand=1)
        self.mainPanel = Label(self.frame)
        self.mainPanel.pack(fill=BOTH, expand=1)
        self.closeButton = Button(self.frame, command=self.closeApp)
        self.closeButton.pack(fill=BOTH, expand=1)
    def closeApp(self):
        print "OVER"
        self.parent.destroy()
def task(tool):
    print 'ok'
    im = Image.fromarray(np.zeros((500, 500, 3)), 'RGB')
    tool.tkim = ImageTk.PhotoImage(im)
    tool.mainPanel['image'] = tool.tkim
    root.after(1, task, tool)
def on_closing():
    print "OVER"
    root.destroy()
root = Tk()
root.wm_protocol("WM_DELETE_WINDOW", on_closing)
tool = Test(root)
root.after(1, task, tool)
root.mainloop()

现在,如果您再次尝试使用较小的图像(例如100*100),它可以工作。或者如果你在after函数中加入100的延迟,它也能工作。但是在我的应用程序中,我需要一个非常短的延迟时间,因为我正在显示一个视频,我的图像大小是900px*500px。

谢谢!

编辑(08/19):我还没有找到解决方案。但是我可以使用root.overrideredirect(1)来删除关闭按钮,然后在Tk中重新创建它,并且还使用:Python/Tkinter添加拖动窗口:鼠标拖动没有边框的窗口,例如。overridedirect (1)

编辑(08/20):实际上,我甚至不能拖动窗口。这个工具也很冷!

你可能只需要终止你的动画循环。after返回一个作业id,可以用来取消挂起的作业。

def task():
    global job_id
    ...
    job_id = root.after(1, task, tool)
def on_closing():
    global job_id
    ...
    root.after_cancel(job_id)

如果这些函数是对象的方法,那么您的代码可能会更简洁一些,因此您不必使用全局变量。此外,应该有一个退出函数,而不是两个。或者,让一个调用另一个,这样你就可以确定它们都经过完全相同的代码路径。

最后,除非你真的需要,否则你不应该每秒调用一个函数1000次。如此频繁地调用它会使你的UI变得迟钝。

我找到了一个解决方案,我不确定它是否真的干净,但至少它是为我想做的工作。我不再使用after,而是在每次迭代时循环并更新gui。

from Tkinter import *
from PIL import Image, ImageTk
import numpy as np

class Test():
    def __init__(self, master):
        self.parent = master
        self.frame = Frame(self.parent)
        self.frame.pack(fill=BOTH, expand=1)
        self.mainPanel = Label(self.frame)
        self.mainPanel.pack(fill=BOTH, expand=1)
        self.parent.wm_protocol("WM_DELETE_WINDOW", self.on_closing)
        self.close = 0
    def on_closing(self):
        print "Over"
        self.close = 1
    def task(self):
        print "ok"
        im = Image.fromarray(np.zeros((500, 500, 3)), 'RGB')
        self.tkim = ImageTk.PhotoImage(im)
        self.mainPanel['image'] = self.tkim
root = Tk()
tool = Test(root)
while(tool.close != 1):
    tool.task()
    root.update()
root.destroy()

相关内容

  • 没有找到相关文章

最新更新