我正在尝试使用Kivy使用Python构建应用程序。这是我想要实现的目标:
detector
的类完成。检测器利用OpenCV进行图像处理。display.jpg
source
是display.jpg
self.image.reload()
重新加载图像源,以便我的应用刷新用户的输出这是我的代码
class GUI(App):
def build(self):
self.capture = cv2.VideoCapture(VIDEO_SOURCE)
self.detector = detector(self.capture)
layout = GridLayout(cols=2)
self.InfoStream = Label(text = 'Info', size_hint=(20,80))
StartButton = Button(text = 'Start', size_hint=(80,20))
StartButton.bind(on_press=lambda x:self.start_program())
self.image = Image(source = 'display.jpg')
layout.add_widget(self.image)
layout.add_widget(self.InfoStream)
layout.add_widget(StartButton)
layout.add_widget(Label(text = 'Test'), size_hint=(20,20))
return layout
def start_program(self):
while True:
self.detector.detect_frame()
self.update_image() # After detecting each frame, I run this
def update_image(self, *args):
if self.detector.output_image is not None:
cv2.imwrite('display.jpg', self.detector.output_image)
self.image.reload() # I use reload() to refresh the image on screen
def exit(self):
self.stop()
def on_stop(self):
self.capture.release()
if __name__ == '__main__':
GUI().run()
发生的事情是,我可以通过按StartButton
成功启动应用程序。我在控制台上看到了输出,证明它在我的视频流中循环播放,并且我还看到源图像display.jpg
实时更新。
但是,在我启动之后,应用程序窗口似乎只是冻结了。它变为“无响应”并显示为灰色,从不显示任何刷新的图像。
在遵循其他来源的一些现有代码之后,我还尝试使用计划任务(Clock.schedule_interval(self.update_image, dt=1)
)刷新图像,但是结果是相同的。
我刷新图像的方式是否正确?有更好的方法吗?
答案 0 :(得分:1)
主线程上的while True
循环将导致您的App
无响应。您可以使用Clock.schedule_interval
来消除该循环,如下所示:
class GUI(App):
def build(self):
self.capture = cv2.VideoCapture(VIDEO_SOURCE)
self.detector = detector(self.capture)
layout = GridLayout(cols=2)
self.InfoStream = Label(text = 'Info', size_hint=(20,80))
StartButton = Button(text = 'Start', size_hint=(80,20))
StartButton.bind(on_press=lambda x:self.start_program())
self.image = Image(source = 'display.jpg')
layout.add_widget(self.image)
layout.add_widget(self.InfoStream)
layout.add_widget(StartButton)
layout.add_widget(Label(text = 'Test'), size_hint=(20,20))
return layout
def start_program(self):
Clock.schedule_interval(self.update_image, 0.05)
def update_image(self, *args):
self.detector.detect_frame()
if self.detector.output_image is not None:
cv2.imwrite('display.jpg', self.detector.output_image)
self.image.reload() # I use reload() to refresh the image on screen
def exit(self):
self.stop()
def on_stop(self):
self.capture.release()
if __name__ == '__main__':
GUI().run()
这里是another个问题,发布者使用的是Texture
,而不是将捕获的图像写入文件。可能是一种更有效的方法。