Python从另一个文件调用导航



如何从另一个python文件中发生的事件执行第二页的导航?这将是我的GUI代码:

import tkinter as tk
from tkinter import *
import openf
class Page(tk.Frame):
    def __init__(self, *args, **kwargs):
        tk.Frame.__init__(self, *args, **kwargs)
    def show(self):
        self.lift()
class Page1(Page):
   def __init__(self, *args, **kwargs):
       Page.__init__(self, *args, **kwargs)
       label = tk.Label(self, text="first page")
       label.pack(side="top", fill="both", expand=True)
class Page2(Page):
   def __init__(self, *args, **kwargs):
       Page.__init__(self, *args, **kwargs)

class MainView(tk.Frame):
    def __init__(self, *args, **kwargs):
        tk.Frame.__init__(self, *args, **kwargs)
        p1 = Page1(self)
        p2 = Page2(self)

        container = tk.Frame(self)
        container.pack(side="top", fill="both", expand=True)
        p1.place(in_=container, x=0, y=0, relwidth=1, relheight=1)
        p2.place(in_=container, x=0, y=0, relwidth=1, relheight=1)
        p1.show()

if __name__ == "__main__":
    root = tk.Tk()
    main = MainView(root)
    root.resizable(0, 0)
    menubar = Menu(root)
    filemenu = Menu(menubar, tearoff=0)
    filemenu.add_command(label="Open", command=openf.openfiledialog)
    filemenu.add_command(label="Save", command=root.quit)
    filemenu.add_separator()
    filemenu.add_command(label="Exit", command=root.quit)
    menubar.add_cascade(label="File", menu=filemenu)
    root.config(menu=menubar)
    main.pack(side="top", fill="both", expand=True)
    root.wm_geometry("500x600")

我不需要使用按钮进行导航。当在另一个PY文件中成功执行函数时,我想导航到第二页。我必须将main.py导入另一个文件,但是如何从那里调用帧导航?

openf.py

from tkinter import filedialog
def openfiledialog():
    global of
    of = filedialog.askopenfilename(initialdir="/", title="Select file", filetypes=[("archives", "*.zip")])
    openfile())
def openfile():
    with zipfile.ZipFile(of, "r") as f:
    # navigate gui to second page from here

看来,"导航到"您的一个页面的方法是在其上调用show方法。因此,您只需要引用该页面才能导航到该页面。

我建议在MainView上创建一种可用于导航到页面的方法。然后,您可以将一个符号名称传递到中,它将使用该名称来确定要显示的页面。

例如:

class MainView(tk.Frame):
    def __init__(self, *args, **kwargs):
        tk.Frame.__init__(self, *args, **kwargs)
        self.pages = {
            "p1": Page1(self),
            "p2": Page2(self),
        }
        container = tk.Frame(self)
        container.pack(side="top", fill="both", expand=True)
        self.pages["p1"].place(in_=container, x=0, y=0, relwidth=1, relheight=1)
        self.pages["p2"].place(in_=container, x=0, y=0, relwidth=1, relheight=1)
        self.show("p1")
    def show(self, page_name):
        page = self.pages[page_name]
        page.show()

完成此操作后,您只需要将main传递到要导航到另一页的功能。

例如,首先将main传递到另一个文件的openfiledialog方法:

...
filemenu.add_command(
    label="Open", 
    command=lambda: openf.openfiledialog(main)
)
...

然后在openfiledialog中,使用该参考显示帧:

def openfiledialog(main):
    ...
    openfile(main)
def openfile(main):
    with zipfile.ZipFile(of, "r") as f:
        main.show("p1")

相关内容

  • 没有找到相关文章

最新更新