我的Tkinter照片已打包,但显示为空白

时间:2018-10-26 11:15:49

标签: python image tkinter png toplevel

在主帧(根目录)的顶部有一个顶级帧时,我似乎无法在屏幕上显示图片。这就是所谓的“框架”。我已在这篇文章的随附照片中圈出了tkinter框架的轮廓。调整图片大小时,绿色框的轮廓会更改,但是图片本身不会显示。

我也尝试将其打包到我的主根窗口中,并获得成功,这表明这是顶层窗口问题。我只是不知道那是什么。有什么想法吗?

这是我的代码:

    def show_topLevelWindow():

      from tkinter import ttk
      print("Entered to show results")
      window_linkedin = Toplevel(root)
      window_linkedin.geometry('1000x590')

      frame = Frame(window_linkedin)
      frame.pack()

      error_frame = tkinter.Frame(frame, highlightbackground="green", highlightcolor="green", highlightthickness=1)

      error_label = Label(frame, text="It appears there are no results for the selected country")
      error_label.config(font=("Helvetica Neue", 20))        

      im_error = Image.open("./ressources/images_gui/aw_snap.png")
      im_error = im_error.resize((500, 500), Image.ANTIALIAS)
      im_error = ImageTk.PhotoImage(file = "./ressources/images_gui/aw_snap.png")
      im_error_label = Label(frame, image=im_error)

      try:
          if ....:
          ....unimportant code ....
          else:
              error_label.pack(in_=error_frame)            
              im_error_label.pack(in_=error_frame)  
              error_frame.pack(anchor="center")          
      except Exception as e:
          error_label.pack(in_=error_frame)            
          im_error_label.pack(in_=error_frame)            
          error_frame.pack(anchor="center")

Packed image shows as blank

1 个答案:

答案 0 :(得分:2)

您遇到的最重要的一个问题是图像没有保存以供参考。如果将global im_error添加到函数的最顶部,则图像将可见。

那表示您的代码中存在一些问题,您应该纠正。

首先:请勿导入函数。而是将所有导入内容写在代码的顶部。

第二:我不确定您为什么这么做.pack(in_=error_frame)。这不是真正需要的东西。只要确保您的标签已经分配给正确的框架即可。 in_参数很少使用,可能大多数人从未使用过。我已经在这里呆了两年了,这是我第一次看到有人使用这种说法。

第三:您尚未显示Tkinter的导入,但是基于您编写代码的方式,代码看起来就像完成了一样:

import tkinter
from tkinter import *

这太过分了,不是一个好主意。只需执行import tkinter as tk,并确保在适用的地方使用tk.前缀即可。

这是您的代码重制:

import tkinter.ttk as ttk
import tkinter as tk
from PIL import ImageTk, Image



def show_toplevel_window():
    global im_error
    window_linkedin = tk.Toplevel(root)
    window_linkedin.geometry('1000x590')

    frame = tk.Frame(window_linkedin)
    frame.pack()

    error_frame = tk.Frame(frame, highlightbackground="green", highlightcolor="green", highlightthickness=1)
    error_frame.pack()

    error_label = tk.Label(frame, font=("Helvetica Neue", 20), text="It appears there are no results for the selected country")
    error_label.pack()  

    im_error = Image.open("./ressources/images_gui/aw_snap.png")
    im_error = im_error.resize((500, 500), Image.ANTIALIAS)
    im_error = ImageTk.PhotoImage(file = "./ressources/images_gui/aw_snap.png")
    im_error_label = tk.Label(error_frame, image=im_error)
    im_error_label.pack()

root = tk.Tk()
show_toplevel_window()
root.mainloop()