在openCV(C++)中,我有一个图像IMG,我想在coor的位置存储中提取每个像素的值。是否有可能以有效的方式获取此像素值?foor 循环(使用 .at(i,j))有效吗?是否有内置函数来执行此操作?这是我的代码:
cv::Mat IMG = cv::imread("image.png",CV_LOAD_IMAGE_GRAYSCALE);
cv::Mat coor = (cv::Mat_<float>(3,2) << 1, 0, 0, 1, 2, 2); // search coordinates
cv::Mat pixel_values;
// and I'd like to do something like this:
//This should result in a matrix with the same size as *coor*
pixel_values = IMG.at(coor); // similar to the matrix accesing method in Matlab.
Threr 是访问 cv::Mat 中"像素"值的不同方法。你读过OpenCV的文档吗?
我建议你从这里开始表格
编辑 我已经更正了代码:此代码适用于 msvc 2015 和 opencv (3.1),但> 2 也可以
#include <iostream>
#include <vector>
#include <opencv2/opencv.hpp>
#include <cstdint>
using namespace std;
#if defined(NDEBUG)
#pragma comment(lib, "opencv_world310.lib")
#else
#pragma comment(lib, "opencv_world310d.lib")
#endif //
cv::Mat GetPixelsFromMat( const cv::Mat& I, const std::vector<cv::Point2f>& points )
{
// some pre-condition:
cv::Mat res( 1, (int)points.size( ), CV_8UC1 );
int i = 0;
for( const auto& point : points )
res.ptr( 0 )[ i++ ] = I.at<uchar>( cvRound( point.y ), cvRound( point.x ) );
return res;
}
int main( int argc, char* argv[] )
{
cv::Mat testImg( 1, 10, CV_8UC1 );
for( int i = 0; i < 10; ++i )
testImg.ptr( 0 )[ i ] = i;
std::vector<cv::Point2f> points;
points.push_back( cv::Point2f( 1, 0 ) );
points.push_back( cv::Point2f( 5, 0 ) );
points.push_back( cv::Point2f( 9, 0 ) );
cv::Mat pixelsMap = GetPixelsFromMat( testImg, points );
if( pixelsMap.ptr( 0 )[ 0 ] == 1 )
cout << "OK 0" << endl;
else
cout << "FAIL 0" << endl;
if( pixelsMap.ptr( 0 )[ 1 ] == 5 )
cout << "OK 1" << endl;
else
cout << "FAIL 1" << endl;
if( pixelsMap.ptr( 0 )[ 2 ] == 9 )
cout << "OK 2" << endl;
else
cout << "FAIL 2";
return EXIT_SUCCESS;
}
这是一个很大的例证,但我认为这是一个起点。
如果你已经知道矩阵的类型,你可以很容易地选择@elvis.dukaj答案。您只需要遍历坐标并检索相应的像素值。
但是,如果您需要更通用的内容来支持:
- 任何类型和通道的输入矩阵
- 输入的坐标列表可以是
cv::Mat
或std::vector
,具有任何类型的坐标(int
、float
等)
您可能会发现此getPixels
函数很有用:
#include <opencv2/opencv.hpp>
using namespace cv;
using namespace std;
Mat getPixels(InputArray _src, InputArray _coords)
{
// Get src matrix
Mat src = _src.getMat();
// Get coords matrix, eventually convert to integer type
Mat coords = _coords.getMat();
if (coords.type() != CV_32S)
{
coords.convertTo(coords, CV_32S);
}
// Check coordinates
int n = coords.checkVector(2, CV_32S);
CV_Assert(n > 0);
// Create output matrix
Mat dst(n, 1, src.type());
// Get pixel values at given coordinates
int esz = src.elemSize();
Point* coords_ptr = (Point*)coords.data;
uchar* dst_ptr = dst.data;
for (int i = 0; i < n; i++, dst_ptr += esz)
{
memcpy(dst_ptr, src.ptr(coords_ptr[i].y) + coords_ptr[i].x * esz, esz);
}
return dst;
}
int main()
{
Mat img(5, 5, CV_8UC1);
randu(img, Scalar(0, 0, 0), Scalar(10, 10, 10));
vector<Point> coor{ Point(1, 0), Point(0, 1), Point(2, 2) };
//cv::Mat coor = (cv::Mat_<float>(3, 2) << 1, 0, 0, 1, 2, 2);
Mat out = getPixels(img, coor);
cout << out;
return 0;
}