以下是我的脚本。基本上,它会要求用户在“输入”框中输入一个数字。用户输入一个数字并单击“确定”后,它将为您提供标签+按钮的组合,具体取决于用户在“输入”框中输入的数字。
from Tkinter import *
root=Tk()
sizex = 600
sizey = 400
posx = 0
posy = 0
root.wm_geometry("%dx%d+%d+%d" % (sizex, sizey, posx, posy))
def myClick():
myframe=Frame(root,width=400,height=300,bd=2,relief=GROOVE)
myframe.place(x=10,y=10)
x=myvalue.get()
value=int(x)
for i in range(value):
Mylabel=Label(myframe,text=" mytext "+str(i)).place(x=10,y=10+(30*i))
Button(myframe,text="Accept").place(x=70,y=10+(30*i))
mybutton=Button(root,text="OK",command=myClick)
mybutton.place(x=420,y=10)
myvalue=Entry(root)
myvalue.place(x=450,y=10)
root.mainloop()
通常,当我创建一个标签小部件时,我会做这样的事情
mylabel=Label(root,text='mylabel')
mylabel.pack()
因此,当我想稍后更改我的标签文本时,我可以简单地执行此操作
mylabel.config(text='new text')
但是现在,因为我使用for循环来一次创建所有标签,所以无论如何在创建标签后处理各个标签? 例如,用户在输入框中输入“5”,程序将给我5个标签+5个按钮。反正我有没有改变各个标签的属性(即label.config(..))?
答案 0 :(得分:2)
当然!只需制作标签列表,在每个标签上调用place
,然后您可以稍后引用它们并更改其值。像这样:
from Tkinter import *
root=Tk()
sizex = 600
sizey = 400
posx = 0
posy = 0
root.wm_geometry("%dx%d+%d+%d" % (sizex, sizey, posx, posy))
labels = []
def myClick():
del labels[:] # remove any previous labels from if the callback was called before
myframe=Frame(root,width=400,height=300,bd=2,relief=GROOVE)
myframe.place(x=10,y=10)
x=myvalue.get()
value=int(x)
for i in range(value):
labels.append(Label(myframe,text=" mytext "+str(i)))
labels[i].place(x=10,y=10+(30*i))
Button(myframe,text="Accept").place(x=70,y=10+(30*i))
def myClick2():
if len(labels) > 0:
labels[0].config(text="Click2!")
if len(labels) > 1:
labels[1].config(text="Click2!!")
mybutton=Button(root,text="OK",command=myClick)
mybutton.place(x=420,y=10)
mybutton2=Button(root,text="Change",command=myClick2)
mybutton2.place(x=420,y=80)
myvalue=Entry(root)
myvalue.place(x=450,y=10)
root.mainloop()
还要注意!在原始代码中的赋值Mylabel=Label(myframe,text=" mytext "+str(i)).place(x=10,y=10+(30*i))
中,该调用将Mylabel
设置为None,因为place
方法返回None。您希望将place
调用分隔为自己的行,就像上面的代码一样。