C++findcontours函数使用
时间: 2023-09-09 11:08:01 浏览: 87
c++函数用法
使用C++中的`findContours`函数,需要先准备好输入的二值图像`image`,并创建一个向量`vector<vector<Point>> contours`来存储输出的轮廓信息。
下面是一个简单的示例代码,实现了从一张图片中提取出所有轮廓,并将其绘制在新的画布上:
```C++
#include <opencv2/opencv.hpp>
#include <iostream>
using namespace cv;
using namespace std;
int main()
{
// 读取输入图像
Mat img = imread("input.jpg", CV_LOAD_IMAGE_GRAYSCALE);
// 检查图像是否读取成功
if (img.empty())
{
cout << "Could not read the image: " << endl;
return 1;
}
// 创建一个空的画布
Mat canvas(img.size(), CV_8UC3, Scalar(0, 0, 0));
// 阈值化图像
Mat thresh;
threshold(img, thresh, 100, 255, THRESH_BINARY);
// 查找轮廓
vector<vector<Point>> contours;
findContours(thresh, contours, RETR_EXTERNAL, CHAIN_APPROX_SIMPLE);
// 绘制轮廓
drawContours(canvas, contours, -1, Scalar(0, 255, 0), 2);
// 显示结果
imshow("Contours", canvas);
waitKey(0);
return 0;
}
```
在上述代码中,首先读取了一张图片,然后创建了一个空的画布。接着,使用`threshold`函数对图像进行了阈值化处理,得到一个二值图像。然后,使用`findContours`函数查找轮廓,并将结果存储在`contours`向量中。最后,使用`drawContours`函数将所有轮廓绘制到画布上,并将结果显示出来。
需要注意的是,这里使用了`RETR_EXTERNAL`参数来指定只查找最外层轮廓。如果需要查找所有轮廓,可以使用`RETR_LIST`参数。
阅读全文