我仍在尝试为tkinter应用程序设置的堆叠帧,而且对于OOP和Tkinter来说还是新手。 我从另一个SO问题中复制了下面的代码并略微修改了它。 我没做的事: 我想更新StartPage上的label2,基于PageTwo上的Button2点击" Hello"到" 5"。但更新不会发生。我必须做些什么来完成我的任务? 非常感谢提前
import tkinter as tk
TITLE_FONT = ("Helvetica", 18, "bold")
class SampleApp(tk.Tk):
def __init__(self, *args, **kwargs):
tk.Tk.__init__(self, *args, **kwargs)
self.var = tk.StringVar()
self.var.set('Hello')
container = tk.Frame(self)
container.pack(side="top", fill="both", expand=True)
container.grid_rowconfigure(0, weight=1)
container.grid_columnconfigure(0, weight=1)
self.frames = {}
for F in (StartPage, PageTwo):
page_name = F.__name__
frame = F(parent=container, controller=self)
self.frames[page_name] = frame
frame.grid(row=0, column=0, sticky="nsew")
self.show_frame("StartPage")
def show_frame(self, page_name):
frame = self.frames[page_name]
frame.tkraise()
class StartPage(tk.Frame):
def __init__(self, parent, controller):
tk.Frame.__init__(self, parent)
self.controller = controller
label = tk.Label(self, text="This is the start page", font=TITLE_FONT)
label.pack(side="top", fill="x", pady=10)
label2 = tk.Label(self, textvariable=self.controller.var, font=TITLE_FONT)
label2.pack(side="top", fill="x", pady=10)
label2.config(text=self.controller.var)
button2 = tk.Button(self, text="Go to Page Two",
command=lambda: controller.show_frame("PageTwo"))
button2.pack()
class PageTwo(tk.Frame):
def __init__(self, parent, controller):
tk.Frame.__init__(self, parent)
self.controller = controller
label = tk.Label(self, text="This is page 2", font=TITLE_FONT)
label.pack(side="top", fill="x", pady=10)
button = tk.Button(self, text="Go to the start page",
command=lambda: controller.show_frame("StartPage"))
button.pack()
button2 = tk.Button(self, text="Change X",
command=lambda: self.calculate())
button2.pack()
def calculate(self):
self.controller.var = 5
return self.controller.var
if __name__ == "__main__":
app = SampleApp()
app.mainloop()
答案 0 :(得分:1)
有很多方法可以达到你想要的效果。由于您使用StringVar
作为要更改的标签,因此最简单的解决方案是使用新值更新该变量:
def calculate(self):
self.controller.var.set(5)
此解决方案紧密耦合控制器和其他类。也就是说,您的PageTwo
必须知道控制器会将StringVar
与该标签相关联。如果修改控制器以使用其他机制,则必须更改尝试设置该变量的每个其他类。
提供松散耦合的方法是让控制器提供用于更改值的API。从某种意义上说,这就是控制器存在的原因 - 控制页面之间的信息流。该值的确切存储和显示方式的详细信息对其他类是隐藏的。
例如:
class SampleApp(...):
...
def set_label(self, value):
self.var.set(value)
class PageTwo(...):
...
def calculate(self):
self.controller.set_label(5)
上述优点是它在两个类之间提供了松散耦合。其他页面不需要知道标签是使用StringVar
或Label
小部件实现的。控制器只是提供和界面,说“当你需要更改变量X时,调用此函数”。只要控制器维护该功能,您就可以更改实现,而无需修改可能需要更改该标签的所有其他类。
有关松散耦合和紧耦合之间区别的更多信息,请参阅What is the difference between loose coupling and tight coupling in the object oriented paradigm?。