通过带摄像头或IP摄像头的联网设备加速视频播放

时间:2017-07-28 06:25:51

标签: python opencv flask raspberry-pi video-streaming

我尝试使用python中的 flask api 从我的 raspberry pi 中流式传输视频。这样我就可以在工作站上处理各个帧。就数据传输而言,它工作得很好。然而,在客户端,读取帧的过程引入了1-3秒的滞后,这在实时应用中是不期望的。我可以在我的网络浏览器中查看视频播放而没有任何延迟,这证明我的覆盆子pi和网络是无辜的。问题在于从字节流中读取单个帧的方法。对此类应用程序中消除延迟的任何想法。下面是我的客户端应用程序代码。可以在此处找到示例应用程序的完整源代码:https://github.com/shehzi-khan/video-streaming

import cv2
import urllib
import numpy as np

stream = urllib.urlopen('http://192.168.100.128:5000/video_feed')
bytes = ''
while True:
    bytes += stream.read(1024)
    a = bytes.find(b'\xff\xd8')
    b = bytes.find(b'\xff\xd9')
    if a != -1 and b != -1:
        jpg = bytes[a:b+2]
        bytes = bytes[b+2:]
        img = cv2.imdecode(np.fromstring(jpg, dtype=np.uint8), cv2.IMREAD_COLOR)
        cv2.imshow('Video', img)
        if cv2.waitKey(1) == 27:
            exit(0)

1 个答案:

答案 0 :(得分:0)

主要建议:

  • 搜索结束标记,然后搜索开始标记

  • 阅读更多数据(例如64kb)

  • 删除其他框架并仅显示最后一个

我无法测试,但这里是通用代码:

import cv2
import urllib
import numpy as np

stream = urllib.urlopen('http://192.168.100.128:5000/video_feed')
bytes = ''
while True:
    buff = stream.read(64 * 1024)
    bytes += buff
    if buff.rfind(b'\xff\xd9') != -1: # buff is smaller than bytes
        endmark = bytes.rfind(b'\xff\xd9') + 2
        startmark = bytes[:endmark - 2].rfind(b'\xff\xd8')

        jpg = bytes[startmark:endmark] # please, check indexes! I could mess up with them.
        bytes = bytes[endmark:]

        img = cv2.imdecode(np.fromstring(jpg, dtype=np.uint8), cv2.IMREAD_COLOR)
        cv2.imshow('Video', img)
        if cv2.waitKey(1) == 27:
            exit(0)

我无法找到stream.read的行为方式。如果他等到缓冲区已满,则需要减少缓冲区大小。如果他只读N个字节 OR 直到流结束,那么它将起作用。