我正在尝试使用tkinter在python中创建一个简单的gui应用程序。有一个消息字段,一个条目和一个按钮。我正在尝试为该按钮编写命令,该命令会将条目中的文本发送到消息字段,然后清除该条目。这是我的代码:
from tkinter import *
from tkinter.ttk import *
class window(Frame):
def __init__(self, parent):
messageStr="Hello and welcome to my incredible chat program its so awesome"
Frame.__init__(self, parent)
self.parent = parent
self.parent.title("Hello World")
self.style = Style()
self.style.theme_use("default")
self.pack(fill=BOTH, expand="yes")
lfone = Frame(self)
lfone.pack(fill=BOTH, expand="yes")
myentry = Entry(self).pack(side=LEFT, fill=BOTH, expand="yes", padx=5)
messager = Message(lfone, text=messageStr, anchor=S+W, justify=LEFT).pack(fill=BOTH, expand="yes", padx=5, pady=5)
sendbutton = Button(self, text="Send", command=self.sendbuttoncommand).pack(side=RIGHT)
def sendbuttoncommand(*args):
messager.text = messager.text + myentry.get()
myentry.delete(first, last=None)
def main():
root = Tk()
root.geometry("300x200+300+300")
app=window(root)
root.mainloop()
if __name__ == '__main__':
main()
我尝试了sendbuttoncommand的一些变体,包括将其嵌套在def init中,并将messager和我的输入内容更改为self.messager / myentry,但均未成功。就目前而言,当我尝试运行它时,在messager上收到了nameerror。我如何影响方法范围之外的变量?我希望避免在这种情况下使用全局变量。
最佳答案
在您的sendbuttoncommand
方法中,未定义messager
,因为它仅在__init__
中本地定义。这就是导致NameError的原因。
如果要在messager
方法中重新使用sendbuttoncommand
,只需通过在self.messager
方法中调用__init__
在self.messager
方法中将其定义为sendbuttoncommand
来使其成为实例的参数。
但是,我怀疑您以后还会收到其他错误。
关于python - Tkinter按钮添加行到消息,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/29690572/