Tkinter中button按钮未按却主动执行command函数问题

在使用Tkinter做界面时,遇到这样一个问题:

程序刚运行,尚未按下按钮,但按钮的响应函数却已经运行了

例如下面的程序:

from Tkinter import *
class App:
	def __init__(self,master):
		frame = Frame(master)
		frame.pack()
		Button(frame,text='1', command = self.click_button(1)).grid(row=0,column=0)
		Button(frame,text='2', command = self.click_button(2)).grid(row=0,column=1)
		Button(frame,text='3', command = self.click_button(1)).grid(row=0,column=2)
		Button(frame,text='4', command = self.click_button(2)).grid(row=1,column=0)
		Button(frame,text='5', command = self.click_button(1)).grid(row=1,column=1)
		Button(frame,text='6', command = self.click_button(2)).grid(row=1,column=2)
	def click_button(self,n):
		print 'you clicked :',n
		
root=Tk()
app=App(root)
root.mainloop()

程序刚一运行,就出现下面情况:

Tkinter中button按钮未按却主动执行command函数问题_第1张图片

六个按钮都没有按下,但是command函数却已经运行了


后来通过网上查找,发现问题原因是command函数带有参数造成的

tkinter要求由按钮(或者其它的插件)触发的控制器函数不能含有参数

若要给函数传递参数,需要在函数前添加lambda。

原程序可改为:

from Tkinter import *
class App:
	def __init__(self,master):
		frame = Frame(master)
		frame.pack()
		Button(frame,text='1', command = lambda: self.click_button(1)).grid(row=0,column=0)
		Button(frame,text='2', command = lambda: self.click_button(2)).grid(row=0,column=1)
		Button(frame,text='3', command = lambda: self.click_button(1)).grid(row=0,column=2)
		Button(frame,text='4', command = lambda: self.click_button(2)).grid(row=1,column=0)
		Button(frame,text='5', command = lambda: self.click_button(1)).grid(row=1,column=1)
		Button(frame,text='6', command = lambda: self.click_button(2)).grid(row=1,column=2)
	def click_button(self,n):
		print 'you clicked :',n		
root=Tk()
app=App(root)
root.mainloop()




你可能感兴趣的:(python,tkinter,command,参数)