#include <opencv\cv.h>
#include <opencv\highgui.h>
#include <opencv2\core\core.hpp>
#include <opencv2\objdetect\objdetect.hpp>
#include <opencv2\imgproc\imgproc.hpp>
using namespace cv;
using namespace std;
int main(int argc, char** argv)
{
int i, M;
Mat ycrcb, rgb, vect, Data;
vector < String > files;
/*Names of the pictures*/
glob("C:\\Users\\lenovo\\Desktop\\cubicle\\trainning\\*.jpg", files); // M=number of training images
M = files.size();
// calculatong of the matrix Data
for (i = 0; i < M; i++)
{
// Lecture of RGB image
rgb = imread(files[i]);
namedWindow("RGB image", WINDOW_AUTOSIZE);
imshow("RGB image", rgb);
waitKey(10);
if (i == 0)
{ //for the first iteration
Mat Data(M, rgb.cols * rgb.rows * 6, CV_32FC1); //statement and allocation of matrix Data
}
rgb.convertTo(rgb, CV_32FC3, 1.0 / 255.0);
// Convert to float // Convert the RGB color space to the color space Ycrcbb*/
cvtColor(rgb, ycrcb, CV_BGR2YCrCb);
//making each image a vector line
rgb = rgb.reshape(1, rgb.total() * 3);
ycrcb = ycrcb.reshape(1, ycrcb.total() * 3);
/*Concatenate rgb and ycrcb*/
hconcat(rgb, ycrcb, vect);
fprintf(stdout,
"rgb=[%d,%d] , ycrcb=[%d,%d], vect=[%d,%d\n",
rgb.rows,
rgb.cols,
ycrcb.rows,
ycrcb.cols,
vect.rows,
vect.cols);
vect.copyTo(Data.row(i));
}
int nclusters = 35;
Mat labels, centers(nclusters, Data.cols, CV_32FC1);
/* clustering Data by kmeans*/
kmeans(Data,
nclusters,
labels,
TermCriteria(CV_TERMCRIT_ITER | CV_TERMCRIT_EPS, 0.65, 200),
3,
KMEANS_PP_CENTERS,
centers);
}
这是完整的代码,我收到了错误:
PB.exe中0x00b85c10处的未处理异常:0xC0000005:访问冲突读取位置0xc35de59f。
答案 0 :(得分:1)
我对OpenCV一无所知,但这看起来有点可疑:
int main(int argc, char** argv)
{
int i, M;
Mat ycrcb, rgb, vect, Data;
刚刚定义的Data
类型的变量Mat
。不幸的是,完全合理的事情
if (i == 0)
{ //for the first iteration
Mat Data(M, rgb.cols * rgb.rows * 6, CV_32FC1); //statement and allocation of matrix Data
}
制作了第二个Mat Data
隐藏了前一个if
,只存在于Data
正文范围内。当内部Data
超出范围时,设置此if
的所有工作都会在结束大括号时抛弃。在Data
正文之外,原始vect.copyTo(Data.row(i));
仍处于活动状态且可访问,但从未正确初始化。使用它有些疑问,所以当
Data
到达,vect
可能没有可以复制Data
的行。 Data
的后续使用同样值得怀疑,任何人都可能导致seg错误。
我的建议是在所有数据都可用之前推迟Mat ycrcb, rgb, vect, Data;
的创建。
由于你有一个非常简单的功能,改变
Mat ycrcb, rgb, vect;
到
if (i == 0)
{ //for the first iteration
Mat Data(M, rgb.cols * rgb.rows * 6, CV_32FC1); //statement and allocation of matrix Data
}
并替换
static Mat Data(M, rgb.cols * rgb.rows * 6, CV_32FC1);
带
static
可能就是您所需要的。
Read up on Static local variables here.
static
局部变量有点奇怪。他们是&#34; sorta&#34;全球。它们的生命周期从第一次使用到程序终止,但仅在定义它们的范围内可见。
如果在将被多次调用的函数中定义,_
变量将被分配并初始化一次。每次通话不一次。随后进入变量范围将从最后一个入口开始,正是在这种情况下所需要的。但是对于一个多次调用函数的大型程序,需要谨慎使用此解决方案。