读取摄像头并播放、暂停功能

  1. import sys
  2. #import scipy.io as sio
  3. from PyQt5 import QtGui, QtCore, QtWidgets
  4. #from wyc import Ui_Form
  5. import cv2
  6. import numpy as np
  7. class VideoCapture(QtWidgets.QWidget):
  8. def __init__(self, filename, parent):
  9. super(QtWidgets.QWidget, self).__init__()
  10. self.cap = cv2.VideoCapture(0)
  11. self.video_frame = QtWidgets.QLabel()
  12. parent.layout.addWidget(self.video_frame)
  13. def nextFrameSlot(self):
  14. ret, frame = self.cap.read()
  15. # frame = cv2.cvtColor(frame, cv2.cv.CV_BGR2RGB)
  16. frame2 = np.zeros((frame.shape), dtype=np.int8)
  17. # BGR
  18. frame2[:, :, 0] = frame[:, :, 2]
  19. frame2[:, :, 1] = frame[:, :, 1]
  20. frame2[:, :, 2] = frame[:, :, 0]
  21. img = QtGui.QImage(frame2, frame2.shape[1], frame2.shape[0], QtGui.QImage.Format_RGB888)
  22. pix = QtGui.QPixmap.fromImage(img)
  23. self.video_frame.setPixmap(pix)
  24. def start(self):
  25. self.timer = QtCore.QTimer()
  26. self.timer.timeout.connect(self.nextFrameSlot)
  27. self.timer.start(1000.0/30)
  28. def pause(self):
  29. self.timer.stop()
  30. def deleteLater(self):
  31. self.cap.release()
  32. super(QtGui.QWidget, self).deleteLater()
  33. class VideoDisplayWidget(QtWidgets.QWidget):
  34. def __init__(self,parent):
  35. super(VideoDisplayWidget, self).__init__(parent)
  36. self.layout = QtWidgets.QFormLayout(self)
  37. self.startButton = QtWidgets.QPushButton('播放', parent)
  38. self.startButton.clicked.connect(parent.startCapture)
  39. self.startButton.setFixedWidth(50)
  40. self.pauseButton = QtWidgets.QPushButton('暂停', parent)
  41. self.pauseButton.setFixedWidth(50)
  42. self.layout.addRow(self.startButton, self.pauseButton)
  43. self.setLayout(self.layout)
  44. class ControlWindow(QtWidgets.QMainWindow):
  45. def __init__(self):
  46. super(ControlWindow, self).__init__()
  47. self.setGeometry(100, 100, 800, 600)
  48. self.setWindowTitle("视频显示demo")
  49. self.capture = None
  50. self.matPosFileName = None
  51. self.videoFileName = None
  52. self.positionData = None
  53. self.updatedPositionData = {'red_x':[], 'red_y':[], 'green_x':[], 'green_y': [], 'distance': []}
  54. self.updatedMatPosFileName = None
  55. self.isVideoFileLoaded = True
  56. self.isPositionFileLoaded = True
  57. self.quitAction = QtWidgets.QAction("&Exit", self)
  58. self.quitAction.setShortcut("Ctrl+Q")
  59. self.quitAction.setStatusTip('Close The App')
  60. self.quitAction.triggered.connect(self.closeApplication)
  61. # self.openMatFile = QtWidgets.QAction("&Open Position File", self)
  62. # self.openMatFile.setShortcut("Ctrl+Shift+T")
  63. # self.openMatFile.setStatusTip('Open .mat File')
  64. # self.openMatFile.triggered.connect(self.loadPosMatFile)
  65. # self.openVideoFile = QtWidgets.QAction("&Open Video File", self)
  66. # self.openVideoFile.setShortcut("Ctrl+Shift+V")
  67. # self.openVideoFile.setStatusTip('Open .h264 File')
  68. # self.openVideoFile.triggered.connect(self.loadVideoFile)
  69. # self.mainMenu = self.menuBar()
  70. # self.fileMenu = self.mainMenu.addMenu('&File')
  71. # self.fileMenu.addAction(self.openMatFile)
  72. # self.fileMenu.addAction(self.openVideoFile)
  73. # self.fileMenu.addAction(self.quitAction)
  74. self.videoDisplayWidget = VideoDisplayWidget(self)
  75. self.setCentralWidget(self.videoDisplayWidget)
  76. def startCapture(self):
  77. if not self.capture and self.isPositionFileLoaded and self.isVideoFileLoaded:
  78. self.capture = VideoCapture(self.videoFileName, self.videoDisplayWidget)
  79. self.videoDisplayWidget.pauseButton.clicked.connect(self.capture.pause)
  80. self.capture.start()
  81. def endCapture(self):
  82. self.capture.deleteLater()
  83. self.capture = None
  84. # def loadPosMatFile(self):
  85. # try:
  86. # self.matPosFileName = str(QtGui.QFileDialog.getOpenFileName(self, 'Select .mat position File'))
  87. # self.positionData = sio.loadmat(self.matPosFileName)
  88. # self.isPositionFileLoaded = True
  89. # except:
  90. # print("Please select a .mat file")
  91. # def loadVideoFile(self):
  92. # try:
  93. # self.videoFileName = QtGui.QFileDialog.getOpenFileName(self, 'Select .h264 Video File')
  94. # self.isVideoFileLoaded = True
  95. # except:
  96. # print("Please select a .h264 file")
  97. def closeApplication(self):
  98. choice = QtGui.QMessageBox.question(self, 'Message','Do you really want to exit?',QtGui.QMessageBox.Yes | QtGui.QMessageBox.No)
  99. if choice == QtGui.QMessageBox.Yes:
  100. print("Closing....")
  101. sys.exit()
  102. else:
  103. pass
  104. if __name__ == '__main__':
  105. import sys
  106. app = QtWidgets.QApplication(sys.argv)
  107. window = ControlWindow()
  108. window.show()
  109. sys.exit(app.exec_())

回放、指定目录保存功能

  1. 以时间戳的形式保存视频:
  2. import cv2
  3. import datetime
  4. cap = cv2.VideoCapture(0)
  5. import os.path
  6. save_path = 'G:/Temp/' #以特定前缀保存视频文件到指定目录
  7. timeNow = "%s.avi" % (datetime.datetime.now().strftime('%Y_%m_%d_%H-%M-0%S'))
  8. completeName = os.path.join(save_path, timeNow)
  9. out = (cv2.VideoWriter(timeNow, cv2.VideoWriter_fourcc(*'PIM1'), 30.0, (640, 480))) #第三个参数是帧率
  10. while cap.isOpened():
  11. ret, frame = cap.read()
  12. if ret==True:
  13. out.write(frame)
  14. cv2.imshow('frame', frame)
  15. if cv2.waitKey(1) & 0xFF == ord('q'):
  16. break
  17. else:
  18. break
  19. # Release everything if job is finished
  20. cap.release()
  21. out.release()
  22. cv2.destroyAllWindows()
  23. 回放视频:
  24. import os
  25. def videoBack(self):
  26. os.startfile("G:/Tx2Project/VideoShow") #录制的视频存放文件

(17)Python读取摄像头并实现视频播放、暂停、指定目录保存、回放功能的更多相关文章

  1. 利用python+graphviz绘制数据结构关系图和指定目录下头文件包含关系图

    作为一名linux系统下的C语言开发,日常工作中经常遇到两个问题: 一是分析代码过程中,各种数据结构互相关联,只通过代码很难理清系统中所有结构体的整体架构,影响代码消化的效率; 二是多层头文件嵌套包含 ...

  2. python读取文件通过正则过滤需要信息然后保存到新文件里

    import osimport reimport fileinput def getDataFromFile():        rt = "/(.*)/(.*).apk"     ...

  3. python实现上传文件到linux指定目录

    今天接到一个小需求,就是想在windows环境下,上传压缩文件到linux指定的目录位置并且解压出来,然后我想了一下,这个可以用python试试写下. 环境:1.linux操作系统一台2.window ...

  4. 【Python】自动生成html文件查看指定目录中的所有图片

    获取本目录下的pic子目录中的所有图片(jpg,png,bmp,gif等,此处以jpg文件为例),然后生成一个image.html文件,打开该html文件即可在浏览器中查看pic子目录中的所有图片. ...

  5. python zip压缩文件 并移动到指定目录

    需要引入的3个包: import os import shutil import zipfile 1. # 创建zip文件对象your_zip_file_obj = zipfile.ZipFile(' ...

  6. Python 解压缩Zip和Rar文件到指定目录

    #__author__ = 'Joker'# -*- coding:utf-8 -*-import urllibimport osimport os.pathimport zipfilefrom zi ...

  7. Python读取JSON数据,并解决字符集不匹配问题

    今天来谈一谈Python解析JSON数据,并写入到本地文件的一个小例子. – 思路如下 从一个返回JSON天气数据的网站获取到目标JSON数据串 使用Python解析出需要的部分 写入到本地文件,供其 ...

  8. 最简单的基于FFmpeg的AVDevice例子(读取摄像头)

    =====================================================最简单的基于FFmpeg的AVDevice例子文章列表: 最简单的基于FFmpeg的AVDev ...

  9. Python 读取图像文件的性能对比

    Python 读取图像文件的性能对比 使用 Python 读取一个保存在本地硬盘上的视频文件,视频文件的编码方式是使用的原始的 RGBA 格式写入的,即无压缩的原始视频文件.最开始直接使用 Pytho ...

随机推荐

  1. Mybatis—动态sql拼接问题

    背景:使用Mybatis的最近半年,经常发现一些小坑,现在总结回顾下,记个小本本,不让它再来欺负我! 百度了许久,才留心到官网文档,比我的全,我很菜的! *************<if> ...

  2. How to attach multiple files in the Send Mail Task in SSIS

    Let’s say you need to create a SSIS package that creates 2 files and emails the files to someone. Yo ...

  3. IntelliJ IDEA 部署 Web 项目,终于搞懂了!

    这篇牛逼: IDEA 中最重要的各种设置项,就是这个 Project Structre 了,关乎你的项目运行,缺胳膊少腿都不行. 最近公司正好也是用之前自己比较熟悉的IDEA而不是Eclipse,为了 ...

  4. Widget代码讲解

    参考:https://zhuanlan.zhihu.com/p/28225011 QT版本为5.12.4 1.main.cpp #include "widget.h" #inclu ...

  5. 小z的洞穴之旅 QDUOJ 并查集+连通块

    小z的洞穴之旅 QDUOJ 并查集+连通块 原题链接 题意 小 z 同学在某个闲暇的周末决定去野外探险一波,结果在丛林深处中误打误撞进入了一个神秘的洞穴,虽然洞穴中光线昏暗,但小 z 凭借其敏锐的眼力 ...

  6. HDU-4857 逃生(反向拓扑排序 + 逆向输出)

    逃生 Time Limit: 2000/1000 MS (Java/Others)    Memory Limit: 32768/32768 K (Java/Others)Total Submissi ...

  7. 服务器上部署django项目流程?

    1. 简单粗暴 项目开发完毕,在部署之前需要再配置文件中将 ALLOWED_HOSTS配置设置为:当前服务器IP或*,如: ALLOWED_HOSTS = ["*",] 然后将源码 ...

  8. 3-6如何在一个for语句中迭代多个可迭代对象

    1.并行迭代 迭代元组可以进行拆包迭代. >>> zip([1,2,3,4],('a','b','c','d')) [(1, 'a'), (2, 'b'), (3, 'c'), (4 ...

  9. Luogu P2756 [网络流24题]飞行员配对方案问题_二分图匹配题解

    二分图模板题 我用的是匈牙利 其实最大流也可以做 #include<iostream> #include<cstdio> #include<cstdlib> #in ...

  10. 移动端布局的思考和rem的设置

    如下方法如有不正确的地方,欢迎指正 前提: 设置稿750px 目标:40px = 1rem js设置方法:(小于等于750屏幕等比缩放) ;(function (doc, win, undefined ...