保存Mat类型图像中,将等于指定像素值的像素点的地址信息保存下来,并对这些像素点重新填充像素值,使用C++编写代码
时间: 2024-02-21 20:57:53 浏览: 121
以下是使用 OpenCV 库实现的 C++ 代码,可以实现将 Mat 类型图像中等于指定像素值的像素点的地址信息保存下来,并对这些像素点重新填充像素值:
```cpp
#include <iostream>
#include <opencv2/opencv.hpp>
using namespace std;
using namespace cv;
int main()
{
// 读取图像
Mat img = imread("lena.jpg", IMREAD_GRAYSCALE);
if (img.empty())
{
cout << "Could not read the image: lena.jpg" << endl;
return -1;
}
// 指定要查找的像素值
int pixelValue = 128;
// 查找等于指定像素值的像素点的地址信息并保存下来
vector<Point> pixelLocations;
for (int y = 0; y < img.rows; ++y)
{
for (int x = 0; x < img.cols; ++x)
{
if (img.at<uchar>(y, x) == pixelValue)
{
pixelLocations.push_back(Point(x, y));
}
}
}
// 对这些像素点重新填充像素值
int newPixelValue = 255;
for (const auto& location : pixelLocations)
{
img.at<uchar>(location.y, location.x) = newPixelValue;
}
// 显示结果图像
namedWindow("Result", WINDOW_NORMAL);
imshow("Result", img);
waitKey(0);
return 0;
}
```
这段代码首先读取名为 `lena.jpg` 的灰度图像,然后指定要查找的像素值为 128,接着查找等于该像素值的像素点的地址信息并保存下来,最后将这些像素点的像素值重新填充为 255,并显示结果图像。
阅读全文