OpenCV学习:将图像转为二值图像(函数cvtColor和函数threshold)

来源:互联网 发布:网络舞曲最红 编辑:程序博客网 时间:2024/04/29 01:51

想换一下CSDN账户的头像,换成自己的真实的头像,但是又不想那么直接,干脆就把头像转换成二值图得了,因为从二值图像是推不出来原图的微笑。这个过程需要OpenCV的两个函数,第一个函数是彩色图像转化为灰度图像:cvtColor函数;下一个函数是由灰度图转化为二值图像函数:threshold函数。用法很简单,代码如下:

[cpp] view plaincopyprint?
  1. cvtColor(img_origin,img_gray,CV_BGR2GRAY);  
  2. threshold(img_gray,img_binary,145,255,THRESH_BINARY);  
  3. imwrite("/home/hon/result.jpg",img_binary);  
  4. imshow("binary image",img_binary);  
既然说到了这两个函数,就说说这两个函数的用法吧。这两个函数都是OpenCV中C++系列的函数,函数没有前缀cv(大部分参考书籍上介绍的OpenCV函数是c系列的,有前缀cv)。

cvtColor函数:

原型:

[cpp] view plaincopyprint?
  1. void cvtColor(InputArray src, OutputArray dst, int code, int dstCn=0  
src和dst分别是待转的图像(src)和待转图像转换后的图像(dst);code是一个掩码,表示由src到dst之间是怎么转的,比如是彩色转为灰度,还是彩色转为HSI模式;最后的dstCn表示dst图像的波段数,这个值默认是0,它可以从参数code中推断。

code的模式包括:

CV_RGB2GRAY:<彩色图像---灰度图像>

CV_BGR2YCrCb, CV_RGB2YCrCb, CV_YCrCb2BGR, CV_YCrCb2RGB      

CV_BGR2HSV, CV_RGB2HSV, CV_HSV2BGR, CV_HSV2RGB        

更多的变换信息可以参考 OpenCV 2.4.5 documentation:http://docs.opencv.org/modules/imgproc/doc/miscellaneous_transformations.html#void cvtColor(InputArray src, OutputArray dst, int code, int dstCn)

threshold函数:

原型:

[cpp] view plaincopyprint?
  1. double threshold(InputArray src, OutputArray dst, double thresh, double maxval, int type)  
src和dst分别是待处理的图像(src)和由src生成的二值图像(dst);thresh是阈值,所谓的阈值函数就肯定要有个阈值;maxval在某些模式使用,type就是模式了。

code的模式包括:

 

值计算方法THRESH_BINARY\texttt{dst} (x,y) = \fork{\texttt{maxval}}{if $\texttt{src}(x,y) > \texttt{thresh}$}{0}{otherwise}THRESH_BINARY_INV\texttt{dst} (x,y) = \fork{0}{if $\texttt{src}(x,y) > \texttt{thresh}$}{\texttt{maxval}}{otherwise}THRESH_TRUNC\texttt{dst} (x,y) = \fork{\texttt{threshold}}{if $\texttt{src}(x,y) > \texttt{thresh}$}{\texttt{src}(x,y)}{otherwise}THRESH_TOZERO\texttt{dst} (x,y) = \fork{\texttt{src}(x,y)}{if $\texttt{src}(x,y) > \texttt{thresh}$}{0}{otherwise}THRESH_TOZERO_INV\texttt{dst} (x,y) = \fork{0}{if $\texttt{src}(x,y) > \texttt{thresh}$}{\texttt{src}(x,y)}{otherwise}
参考相关文档:OpenCV 2.4.5 documentation:http://docs.opencv.org/modules/imgproc/doc/miscellaneous_transformations.html?highlight=threshold#cv.Threshold

注意:threshold函数针对的是单通道图像,这个一定要注意!


0 0