我是python的新手,正在尝试创建一个需要输入和输出目录的GUI。我的目标是在浏览按钮中添加一个新的文本框,当选择目录时,该文本框将显示目录路径。但是,我不确定如何在功能中单击按钮时更改显示的文本。
from tkinter import *
from tkinter import filedialog
import tkinter as tk
class App:
def __init__(self, master):
frame = Frame(master)
frame.pack()
self.button = Button(frame, text="QUIT", fg="red", command=frame.quit)
self.button.pack(side=LEFT)
T_out= tk.Text(root, height=1, width=50)
T_out.pack(side=TOP)
self.hi_there= Button(frame, text="Browse", command=self.getoutputdir)
self.hi_there.pack(side=LEFT)
T_in = tk.Text(root, height=1, width=50)
T_in.pack(side=LEFT)
self.input_1= Button(frame, text="Browse", command=self.getinputdir)
self.input_1.pack(side=LEFT)
def getoutputdir(self):
global outputdir
outputdir = filedialog.askdirectory(parent=root,initialdir="/",title='Please select the output directory')
T_out.text(tk.END,outputdir)
def getinputdir(self):
global inputdir
inputdir = filedialog.askdirectory(parent=root,initialdir="/",title='Please select the input directory')
T_in.text(tk.END,inputdir)
root = Tk()
root.title('GUI for CZI')
app = App(root)
root.mainloop()
答案 0 :(得分:0)
有两个主要问题阻止了此工作。第一个是在getinputdir
和getoutputdir
函数中。您需要确保对T_in
和T_out
的引用可用。您可以将它们存储在App对象中。
第二个主要问题是.text
不是有效的方法。您可以使用.delete
清除它,然后使用.insert
插入新目录。
from tkinter import *
from tkinter import filedialog
import tkinter as tk
class App:
def __init__(self, master):
frame = Frame(master)
frame.pack()
self.button = Button(frame, text="QUIT", fg="red", command=frame.quit)
self.button.pack(side=LEFT)
self.T_out= tk.Text(root, height=1, width=50)
self.T_out.pack(side=TOP)
self.hi_there= Button(frame, text="Browse", command=self.getoutputdir)
self.hi_there.pack(side=LEFT)
self.T_in = tk.Text(root, height=1, width=50)
self.T_in.pack(side=LEFT)
self.input_1= Button(frame, text="Browse", command=self.getinputdir)
self.input_1.pack(side=LEFT)
def getoutputdir(self):
global outputdir
outputdir = filedialog.askdirectory(parent=root,initialdir="/",title='Please select the output directory')
self.T_out.delete(1.0, tk.END)
self.T_out.insert(tk.END, outputdir)
def getinputdir(self):
global inputdir
inputdir = filedialog.askdirectory(parent=root,initialdir="/",title='Please select the input directory')
self.T_in.delete(1.0, tk.END)
self.T_in.insert(tk.END, inputdir)
root = Tk()
root.title('GUI for CZI')
app = App(root)
root.mainloop()