我正在尝试使用Tkinter制作一个空闲游戏,但我不知道如何保留显示金额更新的标签。
我试图使用while循环来更新标签,但是该程序没有正确地加载窗口而没有mainloop()。 我已经将w.mainloop()放入循环中,但是现在不再重复了。 (w = Tk())
def money():
File=open('./assets/save/money.txt','r')
moneynow=File.read()
File.close()
try:
if int(moneynow) >> 0 or int(moneynow) == 0:
do='nothing'
except:
File=open('./assets/save/money.txt','w')
File.write('0')
File.close()
w.destroy()
text1=Label(w,text='You currently have',bg='#CEE3F6',font=('arial black',10),fg='#820038')
text1.place(x=250,y=5)
text2=Label(w,text='$',bg='#CEE3F6',font=('arial black',10),fg='#820038')
text2.place(x=298,y=70)
#Interactive GUI
while True:
money()
File=open('./assets/save/money.txt','r')
moneyamount=File.read()
File.close()
moneydisplay=Label(w,text=moneyamount,bg='#CEE3F6',font=('impact',40),fg='#FFCA4F',pady=-3)
moneydisplay.place(x=289,y=25,height=45)
w.mainloop()
预期结果:循环继续进行。
实际结果:循环不会重复,因为编译器会在w.mainloop()之后停止。
答案 0 :(得分:0)
mainloop
是一直运行到关闭窗口的循环。您必须使用after(time, function_name)
将其发送到mainloop
,它将在选择时间之后运行-这样,它将像在自己的循环中那样重复执行功能。
from tkinter import *
def update_money():
with open('./assets/save/money.txt') as f:
moneynow = f.read()
try:
if int(moneynow) < 0:
with open('./assets/save/money.txt', 'w') as f:
f.write('0')
w.destroy()
except:
print('Cant convert')
w.destroy()
moneydisplay['text'] = moneynowe
w.after(1000, update_money) # run again after 1000ms (1s)
# --- main --
w = Tk()
text1 = Label(w, text='You currently have')
text1.pack()
text2 = Label(w, text='$')
text2.pack()
moneydisplay = Label(w, text="") # empty label, I will put text later
moneydisplay.pack()
update_money() # put text first time
w.mainloop()