我的目标是在 Tkinter 窗口中显示来自 USB 摄像头的实时馈送。我的问题是我似乎无法足够快地更新 GUI 以跟上相机的帧速率。我正在使用libuvc C 库周围的uvclite python 包装器与相机交互。uvclite 是底层 C 库的轻量级 ctypes 包装器,所以我认为这不是我的瓶颈。这是我的代码:
import tkinter as tk
from PIL import ImageTk, Image
import uvclite
import io
import queue
frame_queue = queue.Queue(maxsize=5)
# frame_queue = queue.LifoQueue(maxsize=5)
user_check = True
def frame_callback(in_frame, user):
global user_check
if user_check:
print("User id: %d" % user)
user_check = False
try:
# Dont block in the callback!
frame_queue.put(in_frame, block=False)
except queue.Full:
print("Dropped frame!")
pass
def update_img():
print('getting frame')
frame = frame_queue.get(block=True, timeout=None)
img = ImageTk.PhotoImage(Image.open(io.BytesIO(frame.data)))
panel.configure(image=img)
panel.image = img
print("image updated!")
frame_queue.task_done()
window.after(1, update_img)
if __name__ == "__main__":
with uvclite.UVCContext() as context:
cap_dev = context.find_device()
cap_dev.set_callback(frame_callback, 12345)
cap_dev.open()
cap_dev.start_streaming()
window = tk.Tk()
window.title("Join")
window.geometry("300x300")
window.configure(background="grey")
frame = frame_queue.get(block=True, timeout=None)
# Creates a Tkinter-compatible photo image, which can be used everywhere Tkinter expects an image object.
img = ImageTk.PhotoImage(Image.open(io.BytesIO(frame.data)))
panel = tk.Label(window, image=img)
frame_queue.task_done()
panel.pack(side="bottom", fill="both", expand="yes")
window.after(1, update_img)
window.mainloop()
print("Exiting...")
cap_dev.stop_streaming()
print("Closing..")
cap_dev.close()
print("Clear Context")
每帧都是一个完整的 JPEG 图像,存储在bytearray
. 该frame_callback
函数会调用相机生成的每一帧。我看到“掉帧!” 打印得非常频繁,这意味着我的 GUI 代码没有足够快地将帧从队列中拉出,并且在尝试将新帧放入队列时frame_callback
遇到异常。queue.Full
我尝试过使用window.after
预定函数的延迟(第一个整数参数,以毫秒为单位),但运气不佳。
所以我的问题是:我可以做些什么来优化我的 GUI 代码以更快地从队列中拉出帧?我错过了一些明显的东西吗?
谢谢!