单击按钮并按Enter键时调用相同的功能

时间:2013-07-19 13:15:28

标签: python events python-3.x tkinter event-handling

我的GUI有Entry小部件和提交Button

我基本上尝试使用get()并打印Entry窗口小部件中的值。我想通过点击提交 Button或在键盘上按输入 return 来执行此操作。

我尝试使用在按下提交按钮时调用的相同函数绑定"<Return>"事件:

self.bind("<Return>", self.enterSubmit)

但我收到了一个错误:

  

需要2个参数

self.enterSubmit函数只接受一个,因为command的{​​{1}}选项只需要一个。

为了解决这个问题,我试图创建两个具有相同功能的函数,它们只有不同数量的参数。

有更有效的解决方法吗?

2 个答案:

答案 0 :(得分:10)

您可以创建一个带有任意数量参数的函数,如下所示:

def clickOrEnterSubmit(self, *args):
    #code goes here

这称为arbitrary argument list。调用者可以自由地传入任意数量的参数,并且它们都将被打包到args元组中。输入绑定可以传入其1 event对象,而click命令可以不传递任何参数。

这是一个最小的Tkinter示例:

from tkinter import *

def on_click(*args):
    print("frob called with {} arguments".format(len(args)))

root = Tk()
root.bind("<Return>", on_click)
b = Button(root, text="Click Me", command=on_click)
b.pack()
root.mainloop()

结果,按Enter并单击按钮后

frob called with 1 arguments
frob called with 0 arguments

如果您不愿意更改回调函数的签名,可以将要绑定的函数包装在lambda表达式中,并丢弃未使用的变量:

from tkinter import *

def on_click():
    print("on_click was called!")

root = Tk()

# The callback will pass in the Event variable, 
# but we won't send it to `on_click`
root.bind("<Return>", lambda event: on_click())
b = Button(root, text="Click Me", command=frob)
b.pack()

root.mainloop()

答案 1 :(得分:3)

您还可以为参数None指定默认值(例如event)。例如:

import tkinter as tk

def on_click(event=None):
    if event is None:
        print("You clicked the button")
    else:
        print("You pressed enter")


root = tk.Tk()
root.bind("<Return>", on_click)
b = tk.Button(root, text='Click Me!', command=on_click)
b.pack()
root.mainloop()