绘制物体的凸包:cv::convexHull
cv::convexHull
是OpenCV中用于计算点集的凸包(convex hull)的函数。凸包是包围点集的最小凸多边形,该多边形的所有内部角都小于或等于 180 度。
cv::convexHull
函数的基本用法如下:
cv::convexHull(points, hull, clockwise, returnPoints);
points
: 输入的点集,通常是一个std::vector<cv::Point>
。hull
: 函数的输出参数,用于存储计算得到的凸包。clockwise
: 布尔值,指定是否按照顺时针方向计算凸包。returnPoints
: 布尔值,指定是否返回凸包的点坐标,如果设置为true
,则hull
将包含点的坐标;如果设置为false
,则hull
将包含点在原始点集中的索引。
寻找和绘制物体的凸包
#include <opencv2/opencv.hpp>
#include <iostream>
#include <opencv2/highgui/highgui.hpp>
#include <opencv2/imgproc/imgproc.hpp>using namespace std;
using namespace cv;
#include <iostream>
#include <fstream>
using namespace cv; //包含cv命名空间
#include <opencv2/core/core.hpp>
#define WINDOW_NAME1 "【原始图窗口】" //为窗口标题定义#define WINDOW_NAME2 "【效果图窗口】" //为窗口标题定义//【全局变量声明部分】
// 描述: 全局变量的声明
//
Mat g_srcImage; Mat g_grayImage;
int g_nThresh = 50;
int g_maxThresh = 255;
RNG g_rng(12345);
Mat srcImage_copy = g_srcImage.clone();
Mat g_thresholdImage_output;
vector<vector<Point> > g_vContours;
vector<Vec4i> g_vHierarchy;
//- --- --------------------【全局函数声明部分】-----------------------
// 描述:全局函数的声明
//-
static void ShowHelpText();
void on_ThreshChange(int, void*);
//----------------------------【main()函数】--------------------------
// 描述: 控制台应用程序的入口函数, 我们的程序从这里开始执行
//-----
int main()
{// 加载源图像g_srcImage = imread("111.jpg", 1);// 将原图转换成灰度图并进行模糊降噪cvtColor(g_srcImage, g_grayImage, COLOR_BGR2GRAY);blur(g_grayImage, g_grayImage, Size(3, 3));// 创建原图窗口并显示namedWindow(WINDOW_NAME1, WINDOW_AUTOSIZE);imshow(WINDOW_NAME1, g_srcImage);//创建滚动条createTrackbar(" 闳值:", WINDOW_NAME1, &g_nThresh, g_maxThresh, on_ThreshChange);on_ThreshChange(0, 0);//调用一次进行初始化waitKey(0);return(0);
}
//. --- --- -【thresh_callback()函数】----------------------
// 描述: 回调函数
//
void on_ThreshChange(int, void*)
{// 对图像进行二值化, 控制阈值threshold(g_grayImage, g_thresholdImage_output, g_nThresh, 255, THRESH_BINARY);// 寻找轮廓findContours(g_thresholdImage_output, g_vContours, g_vHierarchy, RETR_TREE, CHAIN_APPROX_SIMPLE, Point(0, 0));//遍历每个轮廓, 寻找其凸包vector<vector<Point> >hull(g_vContours.size());for (unsigned int i = 0; i < g_vContours.size(); i++){convexHull(Mat(g_vContours[i]), hull[i], false);}// 绘出轮廓及其凸包Mat drawing = Mat::zeros(g_thresholdImage_output.size(), CV_8UC3);for (unsigned int i = 0; i < g_vContours.size(); i++){Scalar color = Scalar(g_rng.uniform(0, 255),g_rng.uniform(0, 255), g_rng.uniform(0, 255));drawContours(drawing, g_vContours, i, color, 1, 8,vector<Vec4i>(), 0, Point());drawContours(drawing, hull, i, color, 1, 8, vector<Vec4i>(), 0, Point());}// 显示效果图imshow(WINDOW_NAME2, drawing);
}