Tkinter 文本小部件中的绑定如何发挥作用?
在 Tkinter 中,当您与文本小部件交互时,您的击键会触发关联的绑定与小部件。这些绑定确定文本在您键入时如何更新。但是,在某些情况下,您可能希望在通过内置类绑定进行文本更新后执行自己的代码。
幕后:绑定标签和事件处理
Tkinter 利用绑定标签来处理事件。每个小部件都有一个与小部件同名的绑定标签,其他绑定标签包括小部件的类、根窗口的路径和通用的“all”标签。小部件被分配了按顺序处理事件的绑定标签,从最具体的(小部件)开始,到最不具体的(全部)结束。
解决绑定顺序问题
要在类绑定后绑定自定义事件,有两种选择:重新排序绑定标签或引入新的绑定标签。
选项 1:重新排列绑定标签
通过调整绑定标签的顺序,您可以将自定义绑定的事件处理优先于类绑定。例如,如果您有一个表示小部件的绑定标签(下面代码中的“entry1”),请将其移至绑定标签列表中的类绑定标签(“Entry”)下方:
<code class="python">entry1.bindtags(('Entry', '.entry1', '.', 'all'))</code>
选项 2:引入新的绑定标签
或者,您可以在类绑定标签后面创建一个额外的绑定标签。然后,您的绑定将附加到此新标签:
<code class="python">entry3.bindtags(('.entry3','Entry','post-class-bindings', '.', 'all')) # Custom bindings are attached to the 'post-class-bindings' tag entry3.bind_class("post-class-bindings", "<KeyPress>", OnKeyPress)</code>
代码示例
以下代码说明了这些技术的用法:
<code class="python">import Tkinter def OnKeyPress(event): value = event.widget.get() string="value of %s is '%s'" % (event.widget._name, value) status.configure(text=string) root = Tkinter.Tk() entry1 = Tkinter.Entry(root, name="entry1") entry2 = Tkinter.Entry(root, name="entry2") entry3 = Tkinter.Entry(root, name="entry3") entry1.bindtags(('.entry1', 'Entry', '.', 'all')) entry2.bindtags(('Entry', '.entry2', '.', 'all')) entry3.bindtags(('.entry3','Entry','post-class-bindings', '.', 'all')) # Custom bindings are attached to the default tags entry1.bind("<KeyPress>", OnKeyPress) # Custom bindings are attached to the reordered tags entry2.bind("<KeyPress>", OnKeyPress) # Custom bindings are attached to the new 'post-class-bindings' tag entry3.bind_class("post-class-bindings", "<KeyPress>", OnKeyPress) root.mainloop()</code>
通过运行此代码并按下三个条目小部件中的按键,您会注意到由于默认的绑定顺序,第一个条目小部件的绑定似乎落后了一个字符。但是,第二个和第三个条目小部件的绑定会在您键入时正确更新文本。
以上是在 Tkinter 的文本小部件中文本更新后如何执行自定义代码?的详细内容。更多信息请关注PHP中文网其他相关文章!