有一个 640x480的Label,一开始放置一张图片,点击打开监控按钮后显示监控内容,点击关闭按钮后摄像头数据消失变成显示原始图片
时间: 2023-12-03 20:45:25 浏览: 75
可以使用 PyQt5 中的 QLabel 和 QPushButton 组件来实现这个功能。以下是一个简单的示例代码:
```python
import sys
import cv2
import numpy as np
from PyQt5.QtGui import QImage, QPixmap
from PyQt5.QtCore import Qt
from PyQt5.QtWidgets import QApplication, QMainWindow, QLabel, QPushButton
class MainWindow(QMainWindow):
def __init__(self):
super().__init__()
self.setWindowTitle("Camera Monitor")
self.setGeometry(100, 100, 640, 550)
self.label = QLabel(self)
self.label.setGeometry(0, 0, 640, 480)
self.open_button = QPushButton("Open", self)
self.open_button.setGeometry(10, 490, 100, 50)
self.open_button.clicked.connect(self.open_camera)
self.close_button = QPushButton("Close", self)
self.close_button.setGeometry(120, 490, 100, 50)
self.close_button.clicked.connect(self.close_camera)
self.cap = None
self.timer = None
self.show_image("image.jpg")
def show_image(self, file):
image = cv2.imread(file)
image = cv2.cvtColor(image, cv2.COLOR_BGR2RGB)
h, w, ch = image.shape
bytes_per_line = ch * w
q_image = QImage(image.data, w, h, bytes_per_line, QImage.Format_RGB888)
pixmap = QPixmap.fromImage(q_image)
self.label.setPixmap(pixmap)
def open_camera(self):
if self.cap is None:
self.cap = cv2.VideoCapture(0)
self.timer = self.startTimer(30)
def close_camera(self):
if self.cap is not None:
self.cap.release()
self.cap = None
self.killTimer(self.timer)
self.show_image("image.jpg")
def timerEvent(self, event):
ret, frame = self.cap.read()
if ret:
frame = cv2.cvtColor(frame, cv2.COLOR_BGR2RGB)
h, w, ch = frame.shape
bytes_per_line = ch * w
q_image = QImage(frame.data, w, h, bytes_per_line, QImage.Format_RGB888)
pixmap = QPixmap.fromImage(q_image)
self.label.setPixmap(pixmap)
if __name__ == "__main__":
app = QApplication(sys.argv)
window = MainWindow()
window.show()
sys.exit(app.exec_())
```
在这个示例代码中,我们首先创建了一个 QMainWindow 对象,然后在窗口中添加了一个 QLabel 组件和两个 QPushButton 组件。我们还创建了一个定时器,用于定期从摄像头中读取图像数据并将其显示在 QLabel 中。
当用户点击打开按钮时,我们使用 OpenCV 库打开摄像头,并启动定时器来读取数据。当用户点击关闭按钮时,我们释放摄像头并停止定时器。当摄像头关闭时,我们将 QLabel 的图像设置为一张静态图片(例如 image.jpg)。
在 show_image 函数中,我们使用 OpenCV 库读取指定的图像文件,并将其转换为 QImage 对象和 QPixmap 对象,然后将 QPixmap 对象设置为 QLabel 的图像。
阅读全文