在Tkinter窗口中刷新图像

时间:2013-08-13 16:29:16

标签: image python-2.7 tkinter refresh

我正在构建一个应用程序来连续显示从IP摄像机获取的图像。我已经弄清楚如何获取图像,以及如何使用Tkinter显示图像。但我不能让它不断刷新图像。使用Python 2.7 +。

这是我到目前为止的代码。

import urllib2, base64
from PIL import Image,ImageTk
import StringIO
import Tkinter

URL = 'http://myurl.cgi'
USERNAME = 'myusername'
PASSWORD = 'mypassword'

def fetch_image(url,username,password):
    # this code works fine
    request = urllib2.Request(url)
    base64string = base64.encodestring('%s:%s' % (username, password)).replace('\n', '')
    request.add_header("Authorization", "Basic %s" % base64string)   
    result = urllib2.urlopen(request)
    imgresp = result.read()
    img = Image.open(StringIO.StringIO(imgresp))
    return img

root = Tkinter.Tk()
img = fetch_image(URL,USERNAME,PASSWORD)
tkimg = ImageTk.PhotoImage(img)
Tkinter.Label(root,image=tkimg).pack()
root.mainloop()

如何编辑代码以便重复调用fetch_image并在Tkinter窗口中更新其输出?

请注意,我没有使用任何按钮事件来触发图像刷新,而是应该每隔1秒自动刷新一次。

1 个答案:

答案 0 :(得分:2)

这是一个使用Tkinter的Tk.after函数的解决方案,该函数计划将来调用函数。如果您使用下面的剪辑替换fetch_image定义后的所有内容,您将获得您所描述的行为:

root = Tkinter.Tk()
label = Tkinter.Label(root)
label.pack()
img = None
tkimg = [None]  # This, or something like it, is necessary because if you do not keep a reference to PhotoImage instances, they get garbage collected.

delay = 500   # in milliseconds
def loopCapture():
    print "capturing"
#    img = fetch_image(URL,USERNAME,PASSWORD)
    img = Image.new('1', (100, 100), 0)
    tkimg[0] = ImageTk.PhotoImage(img)
    label.config(image=tkimg[0])
    root.update_idletasks()
    root.after(delay, loopCapture)

loopCapture()
root.mainloop()