2

在我的 Python 3.3 代码中,我使用了 ttk 库中的一些组合框,它们运行良好,但如果我使用其中任何一个,当我使用 X 按钮关闭窗口时会出现异常。这是一个例子:

from tkinter import Tk,Label,Button
from tkinter import ttk
from tkinter.ttk import Combobox

def cbox_do(event):
    'Used for cbox.'
    clabel.config(text=cbox.get())

a = Tk()
cbox = Combobox(a, value=('Luke','Biggs','Wedge'), takefocus=0)
cbox.bind("<<ComboboxSelected>>", cbox_do)
cbox.pack()
clabel = Label(a)
clabel.pack()
a.mainloop()

如果您在不选择值的情况下关闭它,一切都很好,但是在选择一个值后尝试关闭它,它会退出但会在 python 命令行中打印以下错误:

can't invoke "winfo" command:  application has been destroyed
    while executing
"winfo exists $w"
    (procedure "ttk::entry::AutoScroll" line 3)
    invoked from within
"ttk::entry::AutoScroll .41024560"
    (in namespace inscope "::" script line 1)
    invoked from within
"::namespace inscope :: {ttk::entry::AutoScroll .41024560}"
    ("uplevel" body line 1)
    invoked from within
"uplevel #0 $Repeat(script)"
    (procedure "ttk::Repeat" line 3)
    invoked from within
"ttk::Repeat"
    ("after" script)

我该如何解决?如果您能提供任何帮助,我将不胜感激。

更新 1:我的 Python 版本是 v3.3,我使用捆绑的 Tcl/Tk 和 Tkinter。我尝试了 x86 和 x64 版本。

更新 2:仅当我从命令行运行脚本时才会引发异常。它不会出现在空闲状态。

4

2 回答 2

4

这是 ttk 中使用的 Tcl/Tk 绑定代码的问题。

在典型的 python Tkinter 安装中,tcl/tk8.5/ttk/entry.tcl 文件中的注释暗示了该问题:

## AutoScroll
#   Called repeatedly when the mouse is outside an entry window
#   with Button 1 down.  Scroll the window left or right,
#   depending on where the mouse is, and extend the selection
#   according to the current selection mode.
#
# TODO: AutoScroll should repeat faster (50ms) than normal autorepeat.
# TODO: Need a way for Repeat scripts to cancel themselves.

基本上,在最后一个窗口关闭并且 Tk 完成后,延迟调用after不会被取消并且无法完成,因为过程/函数“winfo”不再存在。当你运行 IDLE 时,仍然有一个窗口,所以 Tk 没有最终确定,错误也没有出现。

您可以通过对消息进行绑定来解决此问题WM_DELETE_WINDOW,这会停止重复计时器。代码将是(在 Tcl/Tk 中):

proc shutdown_ttk_repeat {args} {
    ::ttk::CancelRepeat
}
wm protocol . WM_DELETE_WINDOW shutdown_ttk_repeat

对于 Tkinter,它应该以类似的方式工作:

from tkinter import Tk,Label,Button
from tkinter import ttk
from tkinter.ttk import Combobox

def cbox_do(event):
    'Used for cbox.'
    clabel.config(text=cbox.get())

a = Tk()
cbox = Combobox(a, value=('Luke','Biggs','Wedge'), takefocus=0)
cbox.bind("<<ComboboxSelected>>", cbox_do)
cbox.pack()
clabel = Label(a)
clabel.pack()

def shutdown_ttk_repeat():
    a.eval('::ttk::CancelRepeat')
    a.destroy()

a.protocol("WM_DELETE_WINDOW", shutdown_ttk_repeat)
a.mainloop()
于 2013-03-16T22:57:17.283 回答
0

我最近遇到了类似的问题。错误信息完全相同。我通过在 Exit 方法中添加 a.quit() 解决了这个问题。(之前这个方法里只有a.destroy())也许你已经解决了这个问题。但是 schlenk 的回答对我来说效果不佳。所以我希望我的回答能给这个问题提供另一个线索

于 2015-06-19T13:33:21.020 回答