我有一个基本的Tkinter应用程序,我希望每个按钮按下以更新具有不同值的Label。我创造了Button&标签并使用StringVar()
设置标签的值。
button3 = tk.Button(self, text="Test", command=self.update_label)
button3.pack()
lab = tk.Label(self, textvariable=self.v)
lab.pack()
self.v = StringVar()
self.v.set('hello')
然后我有以下,目前不起作用。我的理解是实现某种形式的计数器来跟踪Button按下,但是在查看其他类似的例子之后我看不到这样做的方法。
def update_label(self):
click_counter = 0 # I have only included as I believe this is the way to go?
texts = ['the first', 'the second', 'the third']
for t in texts:
self.v.set(t)
有人知道这个解决方案吗?提前谢谢。
答案 0 :(得分:0)
如果想要循环浏览列表并在每次按下按钮时更改标签文本,您可以执行以下操作:
import sys
if sys.version_info < (3, 0):
from Tkinter import *
else:
from tkinter import *
class btn_demo:
def __init__(self):
self.click_count = 0
self.window = Tk()
self.btn_txt = 'Change label!'
self.btn = Button(self.window, text=self.btn_txt, command=self.update_label)
self.btn.pack()
self.lab = Label(self.window, text="")
self.lab.pack()
mainloop()
def update_label(self):
texts = ['the first', 'the second', 'the third']
self.click_count = (self.click_count + 1) % len(texts)
self.lab["text"] = texts[self.click_count]
demo = btn_demo()