我知道这是个菜鸟问题,但我想弄明白为什么"self.update_count“在从”create_widget“方法调用时不需要括号。我一直在找,但找不到原因。
请帮帮忙。
# Click Counter
# Demonstrates binding an event with an event handler
from Tkinter import *
class Skeleton(Frame):
""" GUI application which counts button clicks. """
def __init__(self, master):
""" Initialize the frame. """
Frame.__init__(self, master)
self.grid()
self.bttn_clicks = 0 # the number of button clicks
self.create_widget()
def create_widget(self):
""" Create button which displays number of clicks. """
self.bttn = Button(self)
self.bttn["text"] = "Total Clicks: 0"
# the command option invokes the method update_count() on click
self.bttn["command"] = self.update_count
self.bttn.grid()
def update_count(self):
""" Increase click count and display new total. """
self.bttn_clicks += 1
self.bttn["text"] = "Total Clicks: "+ str(self.bttn_clicks)
# main root = Tk() root.title("Click Counter") root.geometry("200x50")
app = Skeleton(root)
root.mainloop()发布于 2013-01-09 17:45:29
self.update_count()是对该方法的调用,因此
self.bttn["command"] = self.update_count()将方法的结果存储在self.bttn中。然而,
self.bttn["command"] = self.update_count如果不使用,则将方法本身存储在self.bttn中。在Python中,方法和函数是可以传递、存储在变量中的对象。
作为一个简单的例子,考虑下面的程序:
def print_decimal(n):
print(n)
def print_hex(n):
print(hex(n))
# in Python 2.x, use raw_input
hex_output_wanted = input("do you want hex output? ")
if hex_output_wanted.lower() in ('y', 'yes'):
printint = print_hex
else:
printint = print_decimal
# the variable printint now holds a function that can be used to print an integer
printint(42)发布于 2013-01-09 17:47:41
这不是函数调用,而是字典中的引用存储:
self.bttn["command"] = self.update_count
// stores reference to update_count inside self.bttn["command"]
// invokable by self.bttn["command"]()很可能Button对象能够在某些交互时调用此方法。
发布于 2013-01-09 17:46:56
它不是从该方法调用的。它使用了对该函数的引用,该按钮将在稍后单击时调用该函数。您可以将其视为一个函数的名称,它是对该函数中代码的引用;要调用该函数,需要应用()运算符。
https://stackoverflow.com/questions/14232237
复制相似问题