额外的Tkinter GUI弹出窗口

Mar*_*ars 0 python user-interface tkinter

我写了一堆产生GUI的代码.现在每当我运行代码时,它都会生成主GUI窗口和一个没有任何内容的小窗口.当我关闭较小的窗口时,大的主窗口消失.现在我一直在阅读其他类似问题的帖子,但我无法确定代码中的错误位置.

请帮忙 :)

跟进问题:如何添加背景图像而不是灰色无聊颜色?

这是它的样子. 在此输入图像描述

#%% GUI Interface

import Tkinter as tk
from tkFont import Font
from PIL import ImageTk, Image
from Tkinter import END

#This creates the main window of an application
window = tk.Toplevel()
window.title("Sat Track")
window.geometry("1200x800")
window.configure(background='#f0f0f0')

#Imports the pictures.
pic1 = "Globeview.png"
pic2 = "MercatorView.png"
pic3 = "currentweathercroppedsmall.png"
pic4 = "GECurrentcroppedsmall.png"

#Creates a Tkinter-compatible photo image, which can be used everywhere Tkinter expects an image object.
img1 = ImageTk.PhotoImage(Image.open(pic1))
img2 = ImageTk.PhotoImage(Image.open(pic2))
img3 = ImageTk.PhotoImage(Image.open(pic3))
img4 = ImageTk.PhotoImage(Image.open(pic4))

header = tk.Label(window, text="Satellite Control Center", font=Font(size=40))
header.pack()

toprow = tk.Frame(window)
infobox = tk.Text(toprow, width=50, height=7, font=("Calibri",12))
infobox.pack(side = "left") 
infobox.insert(END,"Current information for:"+spacer+name +'\n'+
               "Time:" +space+times+ '\n'+
               "Longitude:"+space +x_long+ '\n'+
               "Latitude:" +space+x_lat+ '\n'+     
               "Altitude:" +space+alt+space+ "[km]"+'\n'+
               "Velocity:" +space+vel+space+ "[km/s]" + '\n'+
               "Spatial Resolution: "+space +spat+space+ "[Pixels pr. m]"
               )
toprow.pack()

midrow = tk.Frame(window)
globeview = tk.Label(midrow, image = img1)
globeview.pack(side = "left") # the side argument sets this to pack in a row rather than a column
mercatorview = tk.Label(midrow, image = img2)
mercatorview.pack(side = "left")
midrow.pack() # pack the toprow frame into the window 

bottomrow = tk.Frame(window)
currentweather= tk.Label(bottomrow, image = img3)
currentweather.pack(side = "left")
gearth = tk.Label(bottomrow, image = img4)
gearth.pack(side = "left")
bottomrow.pack()

#Start the GUI
window.mainloop()
Run Code Online (Sandbox Code Playgroud)

Nae*_*Nae 7

每个tkinter应用程序只需要一个Tk类实例.在你的代码中你不创建一个但mainloop似乎自动创建一个它仍然被创建(参见下面的Bryan的评论),即使你以后不能(轻松地)引用它.

如果您将使用额外的Toplevel小部件,那么您可以使用:

root = tk.Tk()
root.withdraw() # You can go root.iconify(), root.deiconify() later if you
                # want to make this window visible again at some point.
# MAIN CODE HERE
root.mainloop()
Run Code Online (Sandbox Code Playgroud)

如果不是简单地替换:

window = tk.Toplevel()
Run Code Online (Sandbox Code Playgroud)

有:

window = tk.Tk()
Run Code Online (Sandbox Code Playgroud)

注意:另请注意,如果您正在使用IDLE,请记住它会创建自己的Tk对象,这可能会隐藏您的应用程序在独立使用时需要的对象.

  • 它不是创建根窗口的"mainloop".第一次创建窗口小部件时,如果根窗口不存在,将创建根窗口. (3认同)