GUI示例:
假设我有GUI:
import tkinter as tk
root = tk.Tk()
btn = tk.Button(root, text="Press")
btn.pack()
root.mainloop()
按下按钮时会发生什么
看到btn
按下时它会调用自己的函数,该函数与button_press_handle
以下示例非常相似:
def button_press_handle(callback=None):
if callback:
callback() # Where exactly the method assigned to btn['command'] is being callled
与:
button_press_handle(btn['command'])
您可以简单地认为command
应该将option设置为对我们要调用的方法的引用,类似于callback
in button_press_handle
。
按下按钮时调用方法(回调)
没有参数
因此,如果要在print
按下按钮时进行某些操作,则需要进行以下设置:
btn['command'] = print # default to print is new line
请密切注意缺少()
该print
方法的不足,该方法的含义是:“这是我要在按下时调用的方法名称,但不要立即调用。” 但是,我没有为传递任何参数,print
因此在没有参数的情况下,它会打印任何内容。
有论点
现在,如果我还希望将参数传递给要在按下按钮时调用的方法,则可以使用匿名函数,该函数可以通过lambda语句创建,在这种情况下,将使用print
内置方法,如下所示:
btn['command'] = lambda arg1="Hello", arg2=" ", arg3="World!" : print(arg1 + arg2 + arg3)
按下按钮时调用多种方法
没有参数
您也可以使用using lambda
语句实现该功能,但是这被认为是不好的做法,因此在此不再赘述。好的做法是定义一个单独的方法,multiple_methods
该方法调用所需的方法,然后将其设置为按下按钮的回调:
def multiple_methods():
print("Vicariously") # the first inner callback
print("I") # another inner callback
有论点
为了将参数传递给调用其他方法的方法,请再次使用lambda
语句,但首先:
def multiple_methods(*args, **kwargs):
print(args[0]) # the first inner callback
print(kwargs['opt1']) # another inner callback
然后设置:
btn['command'] = lambda arg="live", kw="as the" : a_new_method(arg, opt1=kw)
从回调返回对象
还要进一步注意,这callback
并不是真的,return
因为它仅在button_press_handle
with 内调用,callback()
而不是return callback()
。确实return
但不在该功能之外的任何地方。因此,您应该修改当前作用域中可访问的对象。
具有全局对象修改的完整示例
下面的示例将调用一个方法,该方法btn
每次按下按钮都会更改的文本:
import tkinter as tk
i = 0
def text_mod():
global i, btn # btn can be omitted but not sure if should be
txt = ("Vicariously", "I", "live", "as", "the", "whole", "world", "dies")
btn['text'] = txt[i] # the global object that is modified
i = (i + 1) % len(txt) # another global object that gets modified
root = tk.Tk()
btn = tk.Button(root, text="My Button")
btn['command'] = text_mod
btn.pack(fill='both', expand=True)
root.mainloop()
镜子