在Matlab中运行c++函数时出现以下错误。

WARNING: Couldn't read movie file example.avi
Unexpected Standard exception from MEX file.
What()
is:/tmp/A3p1_2964_800/batserve/A3p1/maci64/OpenCV/modules/imgproc/src/color.cpp:3256:
error: (-215) scn == 3 || scn == 4 in function cvtColor
..
Error in rundemo (line 2)
r = facedetection(inputVideo);

以下是facedetection.cpp的代码
#include <iostream>
#include <vector>
#include <opencv/cv.h>
#include <opencv/highgui.h>
#include "mex.h"

using namespace std;
using namespace cv;

vector<Rect> detect(Mat img, CascadeClassifier face_cascade){
    vector<Rect> faces;
    Mat img_gray;
    cvtColor(img, img_gray, COLOR_BGR2GRAY);
    face_cascade.detectMultiScale(img_gray, faces, 1.1, 2);
    return faces;
}

void mexFunction(int nlhs, mxArray *plhs[ ],int nrhs, const mxArray *prhs[ ]){

    VideoCapture inputVideo(mxArrayToString(prhs[0]));
    Mat img;
    inputVideo >> img;

    string face_cascade_name = "/usr/local/share/OpenCV/haarcascades/haarcascade_frontalface_alt.xml";
    CascadeClassifier face_cascade;
    face_cascade.load(face_cascade_name);

    vector<Rect> rects = detect(img,face_cascade);
    int numFaces = rects.size();

    plhs[0] = (mxArray *) mxCreateNumericMatrix(numFaces,4,mxDOUBLE_CLASS,mxREAL);
    double* outPtr = mxGetPr(plhs[0]);
    for(int i = 0; i < numFaces; i++){
      Rect rect = rects[i];
      outPtr[i+0*numFaces] = rect.x;
      outPtr[i+1*numFaces] = rect.y;
      outPtr[i+2*numFaces] = rect.width;
      outPtr[i+3*numFaces] = rect.height;
    }
}

我猜我分配给face_cascade_name的路径中有问题。该代码在具有不同路径的Windows计算机上运行,​​然后由于使用Mac,因此将其更改为所示的代码。这是我的计算机上haarcascade_frontalface_alt.xml的路径。谢谢你的帮忙!

最佳答案

首先,检查您的视频是否已正确读取。您说代码在Windows上有效。确保您的视频路径正确。

在您的mex函数中,添加

Mat img;
inputVideo >> img;
// Add the following lines to check if img is valid
if (img.data == NULL)
{
  printf("Video not read in properly\n");
  exit(1);
}

接下来,检查img的通道数。如果运行cvtColor(img,COLOR_BGR2GRAY),则需要的通道数为3。
printf("Number of channels for img: %d\n", img.channels());

如果通道数等于1,则您的img已经是单个通道,这就是cvtColor给出错误的原因。因此,在这种情况下,无需进行颜色转换,您只需注释掉cvtColor的行即可,错误应该消失了。

附带说明一下,要调试此功能,您可能需要显示视频的几帧,即显示img几帧只是为了检查它们看起来是否正确。

关于matlab - Matlab C++中的OpenCV cvtColor错误,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/21212476/

10-11 04:01