使用以下代码:

#include <opencv2/opencv.hpp>
#include <opencv2/stitching/stitcher.hpp>
#include <iostream>
#include <vector>

using namespace std;
using namespace cv;

int main(int argc, char *argv[])
{
    Mat fr1, fr2, pano;
    bool try_use_gpu = false;
    vector<Mat> imgs;
    VideoCapture cap(0), cap2(1);

    while (true)
    {
        cap >> fr1;
        cap2 >> fr2;
        imgs.push_back(fr1.clone());
        imgs.push_back(fr2.clone());

        Stitcher test = Stitcher::createDefault(try_use_gpu);
        Stitcher::Status status = test.stitch(imgs, pano);

        if (status != Stitcher::OK)
        {
            cout << "Error stitching - Code: " <<int(status)<<endl;
            return -1;
        }

        imshow("Frame 1", fr1);
        imshow("Frame 2", fr2);
        imshow("Stitched Image", pano);

        if(waitKey(30) >= 0)
            break;
    }
    return 0;
}

此代码会抛出 1 的状态错误。我不知道这意味着什么,也不知道为什么这件事在网络摄像头馈送方面遇到困难。怎么了?

-托尼

最佳答案

错误出现在您的捕获过程中,而不是拼接部分。此代码工作正常(使用 these 示例图像):

#include <opencv2/opencv.hpp>
#include <opencv2/core/core.hpp>
#include <opencv2/stitching/stitcher.hpp>
#include <iostream>
#include <vector>

using namespace std;
using namespace cv;

int main()
{
    Mat fr1 = imread("a.jpg");
    Mat fr2 = imread("b.jpg");
    Mat pano;
    vector<Mat> imgs;

    Stitcher stitcher = Stitcher::createDefault(); // The value you entered here is the default

    imgs.push_back(fr1);
    imgs.push_back(fr2);

    Stitcher::Status status = stitcher.stitch(imgs, pano);

    if (status != Stitcher::OK)
    {
        cout << "Error stitching - Code: " <<int(status)<<endl;
        return -1;
    }

    imshow("Frame 1", imgs[0]);
    imshow("Frame 2", imgs[1]);
    imshow("Stitched Image", pano);
    waitKey();

    return 0;
}

Nik Bougalis 挖出的错误消息听起来像是拼接器无法连接图像。图像是否足够清晰以便拼接器找到对应关系?

如果您确定它们是,请进一步拆分您的问题以找出真正的错误。您可以调整拼接器以处理来自相机的静止帧吗?您的相机拍摄正确吗?他们返回哪种类型的图像?

另一方面,拼接不太可能实时工作,这会使捕获过程中的循环看起来有点不合适。您可能想要提前捕获帧并在后期处理中完成所有操作,或者期望进行大量手动优化以接近可观的帧速率。

关于c++ - 在 OpenCV 中将两个网络摄像头源拼接在一起,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/15798792/

10-13 06:18