3

我正在运行以下代码来计算从 OpenCV 上的视频中读取的一组图像的运行平均值。

编辑:(代码更新)

#include <iostream>
#include <string>
#include <iomanip>
#include <sstream>
#include <cstdio>
#include "opencv2/core/core.hpp"
#include "opencv2/opencv.hpp"
#include "opencv2/highgui/highgui.hpp"
#include "opencv2/video/video.hpp"

using namespace std;
using namespace cv;
int main(int argc, char *argv[]) {
    if(argc < 2) {
        printf("Quitting. Insufficient parameters\n");
        return 0;
    }
    char c;
    int frameNum = -1;

    const char* WIN_MAIN = "Main Window";
    namedWindow(WIN_MAIN, CV_WINDOW_AUTOSIZE);
    VideoCapture capture;
    capture.open(argv[1]);
    Mat acc, img;
    capture.retrieve(img, 3);
    acc = Mat::zeros(img.size(), CV_32FC3);
    for(;;) {
        if(!capture.grab()) {
            printf("End of frame\n");
            break;
        }

        capture.retrieve(img, 3);
        Mat floating;
        img.convertTo(floating, CV_32FC3);
        accumulateWeighted(floating, acc, 0.01);
        imshow(WIN_MAIN, img);
        waitKey(10);
    }
    return 0;
}

在使用示例视频运行代码时,会弹出以下错误

OpenCV Error: Assertion failed (dst.size == src.size && dst.channels() == cn) in accumulateWeighted, file /usr/lib/opencv/modules/imgproc/src/accum.cpp, line 430
terminate called after throwing an instance of 'cv::Exception'
  what():  /usr/lib/opencv/modules/imgproc/src/accum.cpp:430: error: (-215) dst.size == src.size && dst.channels() == cn in function accumulateWeighted

Aborted (core dumped)

错误的可能原因是什么?你能指导我正确的方向吗?

使用的编译器:g++ OpenCV 版本:2.4.5

谢谢!

4

3 回答 3

3

来自裁判员:

src – Input image as 1- or 3-channel, 8-bit or 32-bit floating point.
dst – Accumulator image with the same number of channels as input image, 32-bit or 64-bit
floating-point.

因此,您的相机输入 img CV_8UC3,而您的 acc img 是(当前)CV_32F。那是不合适的。

你想要acc的3通道浮点数,那就是:

acc = Mat::zeros(img.size(), CV_8UC3);`

为了更精确,您也想将 img 更改为 float 类型,所以它是:

   acc = Mat::zeros(img.size(), CV_32FC3);  // note: 3channel now

    for (;;) {

        if(!capture.grab()) {
            printf("End of frame\n");
            break;
        }

        capture.retrieve(img); // video probably has 1 stream only
        Mat floatimg;
        img.convertTo(floatimg, CV_32FC3);
        accumulateWeighted(floatimg, acc, 0.01);

编辑:

尝试通过以下方式替换您的抓取/检索序列:

for(;;) {
    capture >> img;
    if ( img.empty() )
        break;
于 2013-05-16T12:19:15.470 回答
0

正如我在检索的 OpenCV 文档中所读到的那样

C++: bool VideoCapture::retrieve(Mat& image, int channel=0);

第二个参数是通道,在accumulateWeighted的文档中它说:

C ++:无效累积加权(InputArray src,InputOutputArray dst,双阿尔法,InputArray mask=noArray())

参数:src – 输入图像为 1 或 3 通道、8 位或 32 位浮点。

但是在您的代码中:

capture.retrieve(img, 2);

我猜你有错误的频道参数

于 2013-05-16T12:21:56.800 回答
0

我有同样的问题问题,这是我的解决方案。

Mat frame, acc;
// little hack, read the first frame
capture >> frame;
acc = Mat::zeros(frame.size(), CV_32FC3);

for(;;) {
...
于 2015-06-17T10:02:08.370 回答