我有一个Python Tkinter GUI,它向用户征求文件名。我想在选择每个文件时在窗口的其他位置添加一个Entry()框 - 是否可以在Tkinter中执行此操作?
感谢
标记
答案 0 :(得分:4)
是的,有可能。您就像添加任何其他小部件一样 - 调用Entry(...)
然后使用其grid
,pack
或place
方法让它以可视方式显示。
这是一个人为的例子:
import Tkinter as tk
import tkFileDialog
class SampleApp(tk.Tk):
def __init__(self, *args, **kwargs):
tk.Tk.__init__(self, *args, **kwargs)
self.button = tk.Button(text="Pick a file!", command=self.pick_file)
self.button.pack()
self.entry_frame = tk.Frame(self)
self.entry_frame.pack(side="top", fill="both", expand=True)
self.entry_frame.grid_columnconfigure(0, weight=1)
def pick_file(self):
file = tkFileDialog.askopenfile(title="pick a file!")
if file is not None:
entry = tk.Entry(self)
entry.insert(0, file.name)
entry.grid(in_=self.entry_frame, sticky="ew")
self.button.configure(text="Pick another file!")
app = SampleApp()
app.mainloop()