opencv3/C++圖像濾波實(shí)現(xiàn)方式
圖像濾波在opencv中可以有多種實(shí)現(xiàn)形式
自定義濾波
如使用3×3的掩模:

對(duì)圖像進(jìn)行處理.
使用函數(shù)filter2D()實(shí)現(xiàn)
#include<opencv2/opencv.hpp>
using namespace cv;
int main()
{
//函數(shù)調(diào)用filter2D功能
Mat src,dst;
src = imread("E:/image/image/daibola.jpg");
if(!src.data)
{
printf("can not load image \n");
return -1;
}
namedWindow("input", CV_WINDOW_AUTOSIZE);
imshow("input", src);
src.copyTo(dst);
Mat kernel = (Mat_<int>(3,3)<<1,1,1,1,1,-1,-1,-1,-1);
double t = (double)getTickCount();
filter2D(src, dst, src.depth(), kernel);
std::cout<<((double)getTickCount()-t)/getTickFrequency()<<std::endl;
namedWindow("output", CV_WINDOW_AUTOSIZE);
imshow("output", dst);
printf("%d",src.channels());
waitKey();
return 0;
}

通過(guò)像素點(diǎn)操作實(shí)現(xiàn)
#include<opencv2/opencv.hpp>
using namespace cv;
int main()
{
Mat src, dst;
src = imread("E:/image/image/daibola.jpg");
CV_Assert(src.depth() == CV_8U);
if(!src.data)
{
printf("can not load image \n");
return -1;
}
namedWindow("input", CV_WINDOW_AUTOSIZE);
imshow("input",src);
src.copyTo(dst);
for(int row = 1; row<(src.rows - 1); row++)
{
const uchar* previous = src.ptr<uchar>(row - 1);
const uchar* current = src.ptr<uchar>(row);
const uchar* next = src.ptr<uchar>(row + 1);
uchar* output = dst.ptr<uchar>(row);
for(int col = src.channels(); col < (src.cols - 1)*src.channels(); col++)
{
*output = saturate_cast<uchar>(1 * current[col] + previous[col] - next[col] + current[col - src.channels()] - current[col + src.channels()]);
output++;
}
}
namedWindow("output", CV_WINDOW_AUTOSIZE);
imshow("output",dst);
waitKey();
return 0;
}

特定形式濾波
常用的有:
blur(src,dst,Size(5,5));均值濾波
GaussianBlur(src,dst,Size(5,5),11,11);高斯濾波
medianBlur(src,dst,5);中值濾波(應(yīng)對(duì)椒鹽噪聲)
bilateralFilter(src,dst,2,0.5,2,4);雙邊濾波(保留邊緣)
#include<opencv2/opencv.hpp>
using namespace cv;
int main()
{
Mat src, dst;
src = imread("E:/image/image/daibola.jpg");
CV_Assert(src.depth() == CV_8U);
if(!src.data)
{
printf("can not load image \n");
return -1;
}
namedWindow("input", CV_WINDOW_AUTOSIZE);
imshow("input",src);
src.copyTo(dst);
//均值濾波
blur(src,dst,Size(5,5));
//中值濾波
//medianBlur(src,dst,5);
namedWindow("output", CV_WINDOW_AUTOSIZE);
imshow("output",dst);
waitKey();
return 0;
}

以上這篇opencv3/C++圖像濾波實(shí)現(xiàn)方式就是小編分享給大家的全部?jī)?nèi)容了,希望能給大家一個(gè)參考,也希望大家多多支持腳本之家。
相關(guān)文章
C++標(biāo)準(zhǔn)模板庫(kù)vector的常用操作
今天小編就為大家分享一篇關(guān)于C++標(biāo)準(zhǔn)模板庫(kù)vector的常用操作,小編覺(jué)得內(nèi)容挺不錯(cuò)的,現(xiàn)在分享給大家,具有很好的參考價(jià)值,需要的朋友一起跟隨小編來(lái)看看吧2018-12-12
C/C++函數(shù)調(diào)用棧的實(shí)現(xiàn)方法
這篇文章主要介紹了C/C++函數(shù)調(diào)用棧的實(shí)現(xiàn)方法,可實(shí)現(xiàn)一個(gè)簡(jiǎn)單的腳本解釋器,具有一定的參考借鑒價(jià)值,需要的朋友可以參考下2014-10-10
C++實(shí)現(xiàn)LeetCode(64.最小路徑和)
這篇文章主要介紹了C++實(shí)現(xiàn)LeetCode(64.最小路徑和),本篇文章通過(guò)簡(jiǎn)要的案例,講解了該項(xiàng)技術(shù)的了解與使用,以下就是詳細(xì)內(nèi)容,需要的朋友可以參考下2021-07-07

