我正在使用OpenCV 2.4.6。我通过互联网找到了从相机获取帧的一些例子。效果很好(它将丑陋的面孔显示在屏幕上)。但是,我绝对无法从帧中获取像素数据。我在这里找到了一些话题:http://answers.opencv.org/question/1934/reading-pixel-values-from-a-frame-of-a-video/但它对我不起作用。
这是代码 - 在评论的部分我指出了什么是错的。
#include <opencv2/core/core.hpp>
#include <opencv2/highgui/highgui.hpp>
using namespace cv;
int main() {
int c;
IplImage* img;
CvCapture* capture = cvCaptureFromCAM(1);
cvNamedWindow("mainWin", CV_WINDOW_AUTOSIZE);
while(1) {
img = cvQueryFrame(capture);
uchar* data = (uchar*)img->imageData; // access violation
// this does not work either
//Mat m(img);
//uchar a = m.data[0]; // access violation
cvShowImage("mainWin", img);
c = cvWaitKey(10);
if(c == 27)
break;
}
}
你能给我一些建议吗?
答案 0 :(得分:2)
我建议使用较新的Mat
结构而不是IplImage
,因为您的问题标有C ++标记。对于您的任务,您可以使用data
Mat
成员 - 它指向内部Mat
存储空间。例如Mat img; uchar* data = img.data;
。这是一个完整的例子
#include <opencv2/core/core.hpp>
#include <opencv2/highgui/highgui.hpp>
using namespace cv;
int main() {
int c;
Mat img;
VideoCapture capture(0);
namedWindow("mainWin", CV_WINDOW_AUTOSIZE);
bool readOk = true;
while(capture.isOpened()) {
readOk = capture.read(img);
// make sure we grabbed the frame successfully
if (!readOk) {
std::cout << "No frame" << std::endl;
break;
}
uchar* data = img.data; // this should work
imshow("mainWin", img);
c = waitKey(10);
if(c == 27)
break;
}
}