一、理论
1.卷积概念
- 卷积是图像处理中一个操作,是kernel在图像的每个像素上的操作。
-
Kernel本质上一个固定大小的矩阵数组,其中心点称为锚点(anchor point)
2.卷积如何操作
把kernel放到像素数组之上,求锚点周围覆盖的像素乘积之和(包括锚点),用来替换锚点覆盖下像素点值称为卷积处理。数学表达如下:
data:image/s3,"s3://crabby-images/9d098/9d09800ea7ca9ea64e7e154828a3f134b99a9eba" alt=""
data:image/s3,"s3://crabby-images/fe329/fe329db6f2bb80b9e8ccad5023e1f10b216cec36" alt=""
data:image/s3,"s3://crabby-images/f7d2d/f7d2d533b542d25d9d82096e36c6cbff476728ec" alt=""
二、常见算子
Robert算子
data:image/s3,"s3://crabby-images/3cf09/3cf097d5e5cb28dc4323470ea6ef89dbd4340ee7" alt=""
Sobel算子
data:image/s3,"s3://crabby-images/901d4/901d4c47582fd50b77bd352b15f40a6dc892fb8b" alt=""
拉普拉斯算子
data:image/s3,"s3://crabby-images/94038/940385c9131c9e839ce0f8b681a0b38b884b8691" alt=""
三、自定义卷积模糊
filter2D方法
filter2D(
Mat src, //输入图像
Mat dst, // 模糊图像
int depth, // 图像深度32/8
Mat kernel, // 卷积核/模板
Point anchor, // 锚点位置
double delta // 计算出来的像素+delta
)
其中 kernel是可以自定义的卷积核
data:image/s3,"s3://crabby-images/f4564/f4564d6809136da44e660f1bfd8b8aef1bef730d" alt=""
四、综合例程
#include <opencv2/opencv.hpp>
#include <iostream>
#include <math.h>
using namespace cv;
int main(int argc, char** argv) {
Mat src, dst;
int ksize = 0;
src = imread("D:/vcprojects/images/test1.png");
if (!src.data) {
printf("could not load image...\n");
return -1;
}
char INPUT_WIN[] = "input image";
char OUTPUT_WIN[] = "Custom Blur Filter Result";
namedWindow(INPUT_WIN, CV_WINDOW_AUTOSIZE);
namedWindow(OUTPUT_WIN, CV_WINDOW_AUTOSIZE);
imshow(INPUT_WIN, src);
// Sobel X 方向
// Mat kernel_x = (Mat_<int>(3, 3) << -1, 0, 1, -2,0,2,-1,0,1);
// filter2D(src, dst, -1, kernel_x, Point(-1, -1), 0.0);
// Sobel Y 方向
// Mat yimg;
// Mat kernel_y = (Mat_<int>(3, 3) << -1, -2, -1, 0,0,0, 1,2,1);
// filter2D(src, yimg, -1, kernel_y, Point(-1, -1), 0.0);
// 拉普拉斯算子
//Mat kernel_y = (Mat_<int>(3, 3) << 0, -1, 0, -1, 4, -1, 0, -1, 0);
//filter2D(src, dst, -1, kernel_y, Point(-1, -1), 0.0);
int c = 0;
int index = 0;
while (true) {
c = waitKey(500);
if ((char)c == 27) {// ESC
break;
}
ksize = 5 + (index % 8) * 2;
Mat kernel = Mat::ones(Size(ksize, ksize), CV_32F) / (float)(ksize * ksize);
filter2D(src, dst, -1, kernel, Point(-1, -1));
index++;
imshow(OUTPUT_WIN, dst);
}
// imshow("Sobel Y", yimg);
return 0;
}