当我使用Adafruit运行我的tkinter代码来测量温度时。当我运行我的代码时,tkinter打开一个窗口,但窗口上没有任何内容。之前我曾经使用过tkinter而且我已经看到了应该出现的东西,但只是没有在这个特定的代码中。
#!/usr/bin/python
# -*- coding: latin-1 -*-
import Adafruit_DHT as dht
import time
from Tkinter import *
root = Tk()
k= StringVar()
num = 1
thelabel = Label(root, textvariable=k)
thelabel.pack
def READ():
h,t = dht.read_retry(dht.DHT22, 4)
newtext = "Temp=%s*C Humidity=%s" %(t,h)
k.set(str(newtext))
print newtext #I added this line to make sure that newtext actually had the values I wanted
def read30seconds():
READ()
root.after(30000, read30seconds)
read30seconds()
root.mainloop()
澄清READ中的打印行确实按预期运行了30秒。
答案 0 :(得分:4)
这是因为你没有将它打包在窗口中,而是将它打印在python shell中。
您应该将print newtext
替换为:
w = Label(root, text=newtext)
w.pack()
工作代码应如下所示:
#!/usr/bin/python
# -*- coding: latin-1 -*-
import Adafruit_DHT as dht
import time
from Tkinter import *
root = Tk()
k= StringVar()
num = 1
thelabel = Label(root, textvariable=k)
thelabel.pack
def READ():
h,t = dht.read_retry(dht.DHT22, 4)
newtext = "Temp=%s*C Humidity=%s" %(t,h)
k.set(str(newtext))
w = Label(root, text=newtext)
w.pack()
def read30seconds():
READ()
root.after(30000, read30seconds)
read30seconds()
root.mainloop()
请注意,从图形上讲,这是一个非常基本的代码。 要详细了解此主题,请访问此tkinter label tutorial 要了解有关tkinter本身的更多信息,请访问此introduction to tkinter
如果您希望每次刷新时都要覆盖标签,您应该使用destroy()
方法删除,然后像这样替换Label:
#!/usr/bin/python
# -*- coding: latin-1 -*-
import Adafruit_DHT as dht
import time
from Tkinter import *
root = Tk()
k= StringVar()
num = 1
thelabel = Label(root, textvariable=k)
thelabel.pack
def READ():
global w
h,t = dht.read_retry(dht.DHT22, 4)
newtext = "Temp=%s*C Humidity=%s" %(t,h)
k.set(str(newtext))
print newtext #I added this line to make sure that newtext actually had the values I wanted
def read30seconds():
READ()
try: w.destroy()
except: pass
root.after(30000, read30seconds)
read30seconds()
root.mainloop()