1

请看下面的代码

宣言

vector<vector<Point>> *contours;
vector<vector<Point>> *contoursPoly;

contours = new vector<vector<Point>>();
contoursPoly = new vector<vector<Point>>();

执行

//Find contours
findContours(*canny,*contours,*heirarchy,CV_RETR_TREE,CV_CHAIN_APPROX_SIMPLE,Point(0,0));

//Draw contours
//drawContours(*current,*contours,-1,Scalar(0,0,255),2);

for(int i=0;i<contours->size();i++)
{
  cv::approxPolyDP(Mat(contours[i]),contoursPoly[i], 3, true);
}

一旦我运行此代码,我就会收到错误

A first chance exception of type 'System.Runtime.InteropServices.SEHException' occurred in Automated  System.exe
An unhandled exception of type 'System.Runtime.InteropServices.SEHException' occurred in Automated System.exe

此错误来自代码的此代码部分

cv::approxPolyDP(Mat(contours[i]),contoursPoly[i], 3, true);

为什么我会得到这个?

4

1 回答 1

1

contoursPoly是指向向量的指针。

contoursPoly[i]将指向向量的指针视为向量数组,并获取i第一个。

你想要(*contoursPoly)[i],它首先取消引用指针。对于(*contours)[i].

此外,可能没有理由使用指向向量的指针。

代替:

vector<vector<Point>> *contours;
vector<vector<Point>> *contoursPoly;

contours = new vector<vector<Point>>();
contoursPoly = new vector<vector<Point>>();

vector<vector<Point>> contours;
vector<vector<Point>> contoursPoly;

然后,从以下位置删除取消引用*s:

findContours(*canny,*contours,*heirarchy,CV_RETR_TREE,CV_CHAIN_APPROX_SIMPLE,Point(0,0));

像这样:

findContours(canny,contours,*heirarchy,CV_RETR_TREE,CV_CHAIN_APPROX_SIMPLE,Point(0,0));

并将std::vector<std::vector<Point>>*函数中的参数更改为std::vector<std::vector<Point>>&参数。->将这些变量上的使用替换为使用.,并删除取消引用。

基于堆的分配(即免费存储)是您有时需要在 C++ 中执行的操作。不要不必要地这样做。

于 2013-07-13T15:40:26.227 回答