这是一个较长的应用程序的简短示例,其中我有多个小部件页面收集用户输入的信息。 MyApp将每个页面实例化为一个类。在该示例中,PageTwo希望打印StringVar的值,该值存储来自PageOne中的Entry小部件的数据。我怎么做?我尝试过的每一次尝试都以一个或另一个例外结束。
measureText()
答案 0 :(得分:19)
鉴于您已经拥有控制器的概念(即使您没有使用它),您可以使用它来在页面之间进行通信。第一步是在每个页面中保存对控制器的引用:
class PageOne(ttk.Frame):
def __init__(self, parent, controller):
self.controller = controller
...
class PageTwo(ttk.Frame):
def __init__(self, parent, controller):
self.controller = controller
...
接下来,向控制器添加一个方法,该方法在给定类名或其他标识属性时将返回页面。在您的情况下,由于您的网页没有任何内部名称,您只需使用类名:
class MyApp(Tk):
...
def get_page(self, classname):
'''Returns an instance of a page given it's class name as a string'''
for page in self.frames.values():
if str(page.__class__.__name__) == classname:
return page
return None
注意:上述实现基于问题中的代码。问题中的代码在stackoverflow上的另一个答案中有它的来源。此代码与原始代码的不同之处在于它如何管理控制器中的页面。这使用类引用作为键,原始答案使用类名。
有了这个,任何页面都可以通过调用该函数来获取对任何其他页面的引用。然后,通过对页面的引用,您可以访问该页面的公共成员:
class PageTwo(ttk.Frame):
...
def print_it(self):
page_one = self.controller.get_page("PageOne")
value = page_one.some_entry.get()
print ('The value stored in StartPage some_entry = %s' % value)
直接从另一个页面访问一个页面并不是唯一的解决方案。缺点是您的网页紧密耦合。如果不在一个或多个其他类中进行相应的更改,就很难在一个页面中进行更改。
如果您的所有页面都设计为一起工作以定义一组数据,那么将这些数据存储在控制器中可能是明智的,这样任何给定页面都不需要知道其他页面的内部设计。这些页面可以随意实现它们所需的小部件,而不必担心哪些其他页面可能访问这些小部件。
例如,你可以在控制器中有一个字典(或数据库),每个页面负责用它的数据子集更新该字典。然后,您可以随时向控制器询问数据。实际上,该页面正在签订合同,承诺将其全局数据的子集与GUI中的内容保持同步。只要您维护合同,您就可以在页面实现中执行任何操作。为此,控制器将在创建页面之前创建数据结构。由于我们正在使用tkinter,因此该数据结构可以由StringVar
或任何其他* Var类的实例组成。它并非必须如此,但在这个简单的例子中它既方便又容易:
class MyApp(Tk):
def __init__(self):
...
self.app_data = {"name": StringVar(),
"address": StringVar(),
...
}
接下来,在创建窗口小部件时修改每个页面以引用控制器:
class PageOne(ttk.Frame):
def __init__(self, parent, controller):
self.controller=controller
...
self.some_entry = ttk.Entry(self,
textvariable=self.controller.app_data["name"], ...)
最后,您可以从控制器而不是从页面访问数据。你可以扔掉get_page
,并打印出这样的值:
def print_it(self):
value = self.controller.app_data["address"].get()
...
答案 1 :(得分:0)
我在知道在哪里放置 print_it 函数方面遇到了挑战。 我添加了以下内容以使其工作,尽管我真的不明白为什么要使用它们。
def show_frame(self,page_name):
...
frame.update()
frame.event_generate("<<show_frame>>")
并添加了 show_frame.bind
class PageTwo(tk.Frame):
def __init__(....):
....
self.bind("<<show_frame>>", self.print_it)
...
def print_it(self,event):
...
没有上面的添加,在mainloop执行的时候, Page_Two[框架[print_it()]] print_it 函数在 PageTwo 可见之前执行。
try:
import tkinter as tk # python3
from tkinter import font as tkfont
except ImportError:
import Tkinter as tk #python2
import tkFont as tkfont
class SampleApp(tk.Tk):
def __init__(self, *args, **kwargs):
tk.Tk.__init__(self, *args, **kwargs)
self.title_font = tkfont.Font(family="Helvetica", size=18, weight="bold", slant="italic")
# data Dictionary
self.app_data = {"name": tk.StringVar(),
"address": tk.StringVar()}
# the container is where we'll stack a bunch of frames
# on top of each other, then the one we want visible
# will be raised above the others.
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, PageOne, PageTwo):
page_name = F.__name__
frame = F(parent=container, controller=self)
self.frames[page_name] = frame
# put all of the pages in the same location;
# the one on the top of the stacking order
# will be the one that is visible
frame.grid(row=0, column=0, sticky="nsew")
self.show_frame("StartPage")
def show_frame(self, page_name):
''' Show a frame for the given page name '''
frame = self.frames[page_name]
frame.tkraise()
frame.update()
frame.event_generate("<<show_frame>>")
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=self.controller.title_font)
label.pack(side="top", fill="x", pady=10)
# Update the Name value only
self.entry1 = tk.Entry(self,text="Entry", textvariable=self.controller.app_data["name"])
self.entry1.pack()
button1 = tk.Button(self, text="go to page one", command = lambda: self.controller.show_frame("PageOne")).pack()
button2 = tk.Button(self, text="Go to page Two", command = lambda: self.controller.show_frame("PageTwo")).pack()
class PageOne(tk.Frame):
def __init__(self, parent, controller):
tk.Frame.__init__(self, parent)
self.controller = controller
label = tk.Label(self, text="This is page 1", font=self.controller.title_font)
label.pack(side="top", fill="x", pady=10)
# Update the Address value only
self.entry1 = tk.Entry(self,text="Entry", textvariable=self.controller.app_data["address"])
self.entry1.pack()
button = tk.Button(self, text="Go to the start page", command=lambda: self.controller.show_frame("StartPage"))
button.pack()
class PageTwo(tk.Frame):
def __init__(self, parent, controller):
tk.Frame.__init__(self, parent)
self.controller = controller
# Bind the print_it() function to this Frame so that when the Frame becomes visible print_it() is called.
self.bind("<<show_frame>>", self.print_it)
label = tk.Label(self, text="This is page 2", font=self.controller.title_font)
label.pack(side="top", fill="x", pady=10)
button = tk.Button(self, text="Go to the start page",
command=lambda: self.controller.show_frame("StartPage"))
button.pack()
def print_it(self,event):
StartPage_value = self.controller.app_data["name"].get()
print(f"The value set from StartPage is {StartPage_value}")
PageOne_value= self.controller.app_data["address"].get()
print(f"The value set from StartPage is {PageOne_value}")
if __name__ == "__main__":
app = SampleApp()
app.mainloop()