opencv中 对像素(pixel)进行操作
1. cv:Mat::at
图片来自于RIP TUTORIAL:
基础结构:
CV_{U|S|F}C(<number_of_channels>)
例如:
CV_8UC1 8-bit 1-channel 灰度图
CV_32FC3 for 32-bit floating point 3-channel 彩色图
Vec结构:
类型包括: uchar(b) short(s) int(i) float(f) double(d)
例如: Vec3i 表示 int vector of 3 channels
Mat结构:
表示单通道(1 channel):
mat.at(i,j) (int)mat.at(i,j)
表示多通道 (n channels):
mat.at<Vec2b/Vec3b>(i,j)[k] (int)mat.at(i,j)[k]
使用cv::Mat 函数 描述像素:
通常使用: cv::Mat::at(r,c) T:类型 r: 行 c: 列
通常, opencv 属于行主导(row major)顺序, 所以 如果像素用 (x,y)描述,
函数为: image.at<…>(y,x) 注意顺序
也可以用 image.at<…>(cv::Point(x,y))
2. cv::Mat::ptr
CV_8UC1 可以表示为 uchar* ptr = image.ptr?;
CV_32FC3 可以表示为 cv::Vec3f* ptr = image.ptrcv::Vec3f?;
使用 ptr[c] 去处理列
for(int r = 0; r < image.rows; r++) {
// 行r起始位置获得指针cv::Vec3b* ptr = image.ptr<cv::Vec3b>(r);for(int c = 0; c < image.cols; c++) {
// ptr[c] 表示列ptr[c] = cv::Vec3b(ptr[c][2], ptr[c][1], ptr[c][0]);}}
3. Matiterator
举例: 移除红绿通道
#include <opencv2/core/core.hpp>
#include <opencv2/highgui/highgui.hpp> int main(int argc, char **argv)
{
// Create a container
cv::Mat im; //Create a vector
cv::Vec3b *vec;// Create an mat iterator
cv::MatIterator_<cv::Vec3b> it;// Read the image in color format
im = cv::imread("orig1.jpg", 1);// iterate through each pixel
for(it = im.begin<cv::Vec3b>(); it != im.end<cv::Vec3b>(); ++it)
{
// Erase the green and red channels (*it)[1] = 0;(*it)[2] = 0;
}// Create a new window
cv::namedWindow("Resulting Image");// Show the image
cv::imshow("Resulting Image", im);// Wait for a key
cv::waitKey(0);return 0;
}