0

我正在使用 tkinter 制作 GUI。我希望某些小部件仅在选择某些参数时出现。我为此使用了 .pack_forget() 方法。但是,现在我有另一个问题。我在 OptionMenu 上设置了一个条件,根据用户的选择,它会显示为 ComboBox 还是 Entry。但是如果用户改变他的选择,我无法设法使两个小部件之一消失。

这是我的代码:

# Creation of Frame 4 #

Frame4 = tk.Frame(fenetre)
Frame4.pack(anchor = tk.NW, padx = 5, pady = 5)

# label4 creation #

label4 = tk.Label(Frame4, text = "what is the format?", font = ('Arial', '12'))
label4.pack(side = tk.LEFT)

# Création de la commande #

def Format_choice(self):

   global Format

   if choice.get() != Format:
      Format = choice.get()
    
   if Format == "CAPS Client":
    
      # Création de la liste déroulante
      Frame6.pack(anchor = tk.NW, padx = 5, pady = 5)

      # NOMS is a list of strings
      comboExample = ttk.Combobox(Frame6, textvariable = tk.StringVar(), values = NOMS, width = 45)
                    
      comboExample.current(0)

      def callbackFunc(self):
          global nom_site
          nom_site = comboExample.get()

      comboExample.bind("<<ComboboxSelected>>", callbackFunc)

      comboExample.pack(side = tk.LEFT)


   elif Format == "ETUDE":
        
      Frame6.pack(anchor = tk.NW, padx = 5, pady = 5)
        
      site = tk.StringVar()

      def Name():

         global nom_site
         nom_site = site.get()


      entrysite = tk.Entry(Frame6, textvariable = site)
      entrysite.pack(side=tk.LEFT, padx=5, pady=5)
      entrysite.focus_set()
        
      valider = tk.Button(Frame6, text="Confirmer", command = Name, activeforeground = 'red')
      valider.pack(side = tk.LEFT)
    

# Creation of choice#      
    
choice = tk.StringVar()
choice.set("Default")


# Creation of the OptionMenu #

option4 = tk.OptionMenu(Frame4, choice, "Format1", "Format2", command = Format_choice)
option4.pack(side = tk.LEFT)

# Creation of Frame6 

Frame6 = tk.Frame(fenetre)

# label6 creation

label6 = tk.Label(Frame6, text= "What is the name of the site ?", font = ('Arial', '12'))

label6.pack(side=tk.LEFT)

Frame6.pack_forget()
4

1 回答 1

0

pack_forget()只是让Frame6无形的东西在这里,而它仍然在那里。所以,.destroy()改用。正如这里精美的回答:

Python Tkinter 清除帧

所以,基本上你有两个选择:

  1. 在函数的每种情况下销毁Frame6并再次创建其中的所有内容,或者if-elifFormat_choice()
  2. 销毁Frame6由先前选择的选项创建的每个小部件。

如果您喜欢第二种方式,可以在 if-elif 案例之前添加一段代码。使用winfo_children()就像魅力一样:

.
.
def Format_choice(self):
   global Format

   if choice.get() == Format:
      return   #so that if user selects same option again, no change occurs in Frame6
   else:
      Format = choice.get()

   for widget in Frame6.winfo_children():
        if widget != label6:
            widget.destroy()
            
   if Format == "CAPS Client":
      # Création de...
   .
   .
   .

这样,label6您可能不想破坏的您的部件不会被破坏,而其他小部件则被破坏。

于 2021-06-17T02:22:09.823 回答