我正在创建一个简单的GUI以显示公交车的到达时间。如何每分钟刷新一次程序以获取更新的数据?我已经尝试过使用while循环,但是它阻止了窗口的打开。
下面是代码
import json
from tkinter import *
window = Tk()
window.title("Welcome to the Smart Bus Stop")
window.configure(bg='black')
#Tried using while loop from here onwards but it didn't work
jsonFile = open('bus_arrival.json', 'r')
values = json.load(jsonFile)
z = len(values)
BusService = ['', '', '', '', '']
BusArr1 = ['', '', '', '', '']
BusArr2 = ['', '', '', '', '']
for x in range(z):
BusService[x] = values[x]["Bus Service"]
BusArr1[x] = values[x]["1st Bus"]
BusArr2[x] = values[x]["2st Bus"]
print("\n")
print(BusService[x])
print(BusArr1[x])
print(BusArr2[x])
BusNo = Label(window, text="Bus", font=("Arial Bold", 30), bg="black", fg="white")
BusNo.grid(row=x, column=0)
ServiceNo = Label(window, text=BusService[x], font=("Arial Bold", 30), bg="black", fg="white")
ServiceNo.grid(row=x, column=1)
Bus1 = Label(window, text=BusArr1[x], font=("Arial Bold", 30), bg="black", fg="white")
Bus1.grid(row=x, column=2)
Bus1 = Label(window, text=BusArr2[x], font=("Arial Bold", 30), bg="black", fg="white")
Bus1.grid(row=x, column=3)
window.mainloop()
这是json数据,我有另一个程序正在不断运行以更新此数据
[
{
"Bus Service": "127",
"1st Bus": "13:21:17",
"2st Bus": "13:34:30"
},
{
"Bus Service": "168",
"1st Bus": "13:16:50",
"2st Bus": "13:30:35"
},
{
"Bus Service": "27",
"1st Bus": "13:12:38",
"2st Bus": "13:21:00"
},
{
"Bus Service": "72",
"1st Bus": "13:13:24",
"2st Bus": "13:20:45"
},
{
"Bus Service": "",
"1st Bus": "",
"2st Bus": ""
}
]
答案 0 :(得分:0)
在Tkinter中,执行重复/定期任务的正确方法是使用after
,它将任务放入事件队列,该事件队列将在您指定的时间段之后定期执行。
import json
import tkinter as tk
window = tk.Tk()
window.title("Welcome to the Smart Bus Stop")
window.configure(bg='black')
with open('bus_arrival.json', 'r') as json_file:
values = json.load(json_file)
z = len(values)
BusService = ['', '', '', '', '']
BusArr1 = ['', '', '', '', '']
BusArr2 = ['', '', '', '', '']
labels = []
for x in range(z):
BusService[x] = values[x]["Bus Service"]
BusArr1[x] = values[x]["1st Bus"]
BusArr2[x] = values[x]["2st Bus"]
BusNo = tk.Label(window, text="Bus", font=("Arial Bold", 30), bg="black", fg="white")
BusNo.grid(row=x, column=0)
ServiceNo = tk.Label(window, text=BusService[x], font=("Arial Bold", 30), bg="black", fg="white")
ServiceNo.grid(row=x, column=1)
Bus1 = tk.Label(window, text=BusArr1[x], font=("Arial Bold", 30), bg="black", fg="white")
Bus1.grid(row=x, column=2)
Bus2 = tk.Label(window, text=BusArr2[x], font=("Arial Bold", 30), bg="black", fg="white")
Bus2.grid(row=x, column=3)
labels.append([ServiceNo, Bus1, Bus2])
def data():
with open('bus_arrival.json', 'r') as json_file:
values = json.load(json_file)
z = len(values)
for x in range(z):
BusService[x] = values[x]["Bus Service"]
BusArr1[x] = values[x]["1st Bus"]
BusArr2[x] = values[x]["2st Bus"]
labels[x][0]['text']=BusService[x]
labels[x][1]['text']=BusArr1[x]
labels[x][2]['text']=BusArr2[x]
window.after(3000, data) #Update labels after 3 seconds
data()
window.mainloop()