OpenCV Mat类型的遍历与访问

1、指针遍历

    uchar *data1 = M.ptr(0);只有“()”需要uchar类型的指针接收
    uchar data2 = M.ptr(1)[2];
    uchar data3 = M.ptr(2)[3];

注意:

1.图像的指针是从(0,0)位置开始,并且“()”代表行,“【】”代表列;因此“(0)”是第一行,“【1】”是第二列。

2.由于mat中存储的像素数据是uchar或vec3d格式,直接通过cout<

解释:

  • data0是指向image第一行第一个元素的指针。
  • data1是指向image第二行第三个元素的指针。
  • data2是指向image第三行第四个元素的指针。
#include 
#include 
#include 
#include 
#include
#include
#include 
using namespace std;
using namespace cv;

int main()
{
	//生成一个3*4的矩阵
	Mat M = Mat::eye(3,4,CV_8UC1);
	cout << "M=\n" << M << endl;
	//访问第1行第1列的元素(使用指针访问):显示时需要强转
	uchar *sample11 = M.ptr(0);
	cout << "强转(1,1)=" << (int)sample11[0] << endl;
	cout << "不强转(1,1)=" <<  sample11[0] << endl;
	//访问第2行第2列的元素(直接访问):在访问时用double/int接收就已经强转
	double sample22 = M.ptr(1)[1];
	cout << "(2,2)=" << sample22 << endl;
	cv::waitKey(0);
	return 0;
}

OpenCV Mat类型的遍历与访问_第1张图片

2、step地址遍历

对图像/矩阵来说

img.step:矩阵/图像中一行元素的字节数

img.step[0]:代表图像一行的的长度*一个元素所占用的字节数=img.step;

img.step[1]代表图像一个元素所占用的字节数:sizeof(img[0,0]);

img.data: uchar的指针,指向Mat数据矩阵的首地址。

img.datastart: uchar的指针,指向Mat数据矩阵的首地址。

img.dataend: uchar的指针,指向Mat数据矩阵的结束地址。

图像的列数=img.step / img.step[1]=img.step / sizeof(img[0,0])

#include 
#include 
#include 
#include 
#include
#include
#include 
using namespace std;
using namespace cv;

int main()
{
	//生成一个3*4的矩阵
	Mat M = Mat::eye(3,4,CV_8UC1);
	cout << "M=\n" << M << endl;
	//访问第1行第1列的元素
	double sample11 = *(M.data+M.step[0]*0+M.step[1]*0);
	cout << "(1,1)=" << sample11 << endl;
	//访问第2行第2列的元素
	double sample22 = *(M.data+M.step[0]*1+M.step[1]*1);
	cout << "(2,2)=" << sample22 << endl;
	cout << "M.step[0]="<OpenCV Mat类型的遍历与访问_第2张图片

 3、动态地址at遍历

注意:

1.at是从(0,0)位置开始,分别代表(row,col);因此“(0,0)”是第一行第一列,“(1,1)”是第二行第二列。

单通道:M.at(row,col)
三通道:M.at(row,col)[0]//B通道
       M.at(row,col)[1]//G通道
       M.at(row,col)[0]//R通道

#include 
#include 
#include 
#include 
#include
#include
#include 
using namespace std;
using namespace cv;

int main()
{
	//生成一个3*4的矩阵
	Mat M = Mat::eye(3,4,CV_8UC1);
	M.at(2, 3) = 9;
	cout << "M=\n" << M << endl;
	//访问第1行第1列的元素
	double sample11 = M.at(0,0);
	cout << "(1,1)=" << sample11 << endl;
	//访问第2行第2列的元素
	double sample22 = M.at(1,1);
	cout << "(2,2)=" << sample22 << endl;
	//访问第3行第4列的元素
	double sample34 = M.at(2,3);
	cout << "(3,4)=" << sample34 << endl;
	cv::waitKey(0);
	return 0;
}

OpenCV Mat类型的遍历与访问_第3张图片

你可能感兴趣的:(sift,Python,立体测量,c++,opencv)