C++ opencv之图像去噪(blur,GaussianBlur,medianBlur,fastNlMeansDenoisingColored)

文章目录

  • 一、主要内容
    • 1.1 均值去噪声
    • 1.2 高斯模糊去噪声
    • 1.3 非局部均值去噪声
    • 1.4 双边滤波去噪声
    • 1.5 形态学去噪声
  • 二、代码演示
  • 三、结果展示

上篇博客我们学到了图像添加噪声,这篇我们来学习图像去噪声。
OpenCV中常见的图像去噪声的方法有:

- 均值去噪声
- 高斯模糊去噪声
- 非局部均值去噪声
- 双边滤波去噪声
- 形态学去噪声

一、主要内容

这里均值去噪声、高斯模糊之前也讲过了,后面两个方法之后再讲。

1.1 均值去噪声

1.2 高斯模糊去噪声

1.3 非局部均值去噪声

L-Means的全称是:Non-Local Means,直译过来是非局部平均,在2005年由Baudes提出,该算法使用自然图像中普遍存在的冗余信息来去噪声。与常用的双线性滤波、中值滤波等利用图像局部信息来滤波不同的是,它利用了整幅图像来进行去噪,以图像块为单位在图像中寻找相似区域,再对这些区域求平均,能够比较好地去掉图像中存在的高斯噪声。与我们以前学习的平滑技术相比这种算法要消耗更多的时间,但是结果很好。对于彩色图像,要先转换到 CIELAB 颜色空间,然后对 L 和 AB 成分分别去噪。

相关的函数有:

cv2.fastNlMeansDenoising() - 使用单个灰度图像
cv2.fastNlMeansDenoisingColored() - 使用彩色图像。
cv2.fastNlMeansDenoisingMulti() - 用于在短时间内捕获的图像序列(灰度图像)
cv2.fastNlMeansDenoisingColoredMulti() - 与上面相同,但用于彩色图像。

函数原型:

fastNlMeansDenoisingColored( InputArray src, 
				OutputArray dst,
                  float h = 3, float hColor = 3,
         int templateWindowSize = 7, int searchWindowSize = 21)

共同参数有:

• h : 决定过滤器强度。h 值高可以很好的去除噪声,但也会把图像的细节抹去。(10 的效果不错)
• hForColorComponents : 与 h 相同,但使用与彩色图像。(与 h 相同,10)
• templateWindowSize : 奇数。(推荐值为 7)
• searchWindowSize : 奇数。(推荐值为 21)

1.4 双边滤波去噪声

1.5 形态学去噪声

二、代码演示

#include 
#include 

using namespace cv;
using namespace std;

void add_salt_pepper_noise(Mat &image);
void gaussian_noise(Mat &image);
int main(int artc, char** argv) {
	Mat src = imread("C:\\Users\\Dell\\Desktop\\picture\\opencv_tutorial\\opencv_tutorial\\data\\images\\example.png");
	if (src.empty()) {
		printf("could not load image...\n");
		return -1;
	}
	namedWindow("input", WINDOW_AUTOSIZE);
	imshow("input", src);
	gaussian_noise(src);

	Mat result1, result2, result3, result4;
	blur(src, result1, Size(5, 5));
	imshow("result-1", result1);

	GaussianBlur(src, result2, Size(5, 5), 0);
	imshow("result-2", result2);

	medianBlur(src, result3, 5);
	imshow("result-3", result3);

	fastNlMeansDenoisingColored(src, result4, 15, 15, 10, 30);
	imshow("result-4", result4);
	
	waitKey(0);
	return 0;
}

void add_salt_pepper_noise(Mat &image) {
	RNG rng(12345);
	int h = image.rows;
	int w = image.cols;
	int nums = 10000;
	for (int i = 0; i < nums; i++) {
		int x = rng.uniform(0, w);
		int y = rng.uniform(0, h);
		if (i % 2 == 1) {
			image.at<Vec3b>(y, x) = Vec3b(255, 255, 255);
		}
		else {
			image.at<Vec3b>(y, x) = Vec3b(0, 0, 0);
		}
	}
	imshow("salt pepper", image);
}

void gaussian_noise(Mat &image) {
	Mat noise = Mat::zeros(image.size(), image.type());
	randn(noise, (15, 15, 15), (30, 30, 30));
	Mat dst;
	add(image, noise, dst);
	imshow("gaussian noise", dst);
	dst.copyTo(image);
}

三、结果展示


这里我们可以看到去噪之后的图片。

这里我们看到后面两种方法的去噪结果,效果是相当好的。(类似市面上美图软件中的磨皮)

加油吧 阿超没有蛀牙!

你可能感兴趣的:(OpenCV,opencv)