opencv java 轮廓提取_opencv3/C++轮廓的提取与筛选方式
时间: 2023-10-04 20:11:38 浏览: 132
opencv3/C++轮廓的提取与筛选方式
5星 · 资源好评率100%
OpenCV提供了在Java和C++中进行轮廓提取的方法。
在Java中,可以使用Imgproc.findContours()方法来提取图像中的轮廓。该方法需要一个二进制图像,其中前景为白色,背景为黑色。轮廓将存储在List<MatOfPoint>对象中。
以下是一个简单的Java示例,演示如何提取轮廓:
```java
Mat image = Imgcodecs.imread("input.jpg");
Mat grayImage = new Mat();
Imgproc.cvtColor(image, grayImage, Imgproc.COLOR_BGR2GRAY);
Mat binaryImage = new Mat();
Imgproc.threshold(grayImage, binaryImage, 128, 255, Imgproc.THRESH_BINARY);
List<MatOfPoint> contours = new ArrayList<>();
Mat hierarchy = new Mat();
Imgproc.findContours(binaryImage, contours, hierarchy, Imgproc.RETR_TREE, Imgproc.CHAIN_APPROX_SIMPLE);
```
在C++中,可以使用cv::findContours()函数来提取图像中的轮廓。该函数需要一个二进制图像,其中前景为白色,背景为黑色。轮廓将存储在std::vector<std::vector<cv::Point>>对象中。
以下是一个简单的C++示例,演示如何提取轮廓:
```cpp
cv::Mat image = cv::imread("input.jpg");
cv::Mat grayImage;
cv::cvtColor(image, grayImage, cv::COLOR_BGR2GRAY);
cv::Mat binaryImage;
cv::threshold(grayImage, binaryImage, 128, 255, cv::THRESH_BINARY);
std::vector<std::vector<cv::Point>> contours;
cv::findContours(binaryImage, contours, cv::RETR_TREE, cv::CHAIN_APPROX_SIMPLE);
```
对于轮廓的筛选,可以使用cv::contourArea()函数计算轮廓的面积,并使用cv::boundingRect()函数计算轮廓的边界框。还可以使用cv::approxPolyDP()函数对轮廓进行多边形逼近,以减少顶点数。
以下是一个简单的C++示例,演示如何筛选轮廓:
```cpp
std::vector<std::vector<cv::Point>> filteredContours;
for (const auto& contour : contours) {
double area = cv::contourArea(contour);
if (area > 100 && area < 1000) {
cv::Rect boundingRect = cv::boundingRect(contour);
if (boundingRect.width / boundingRect.height > 0.5 && boundingRect.width / boundingRect.height < 2) {
std::vector<cv::Point> approx;
cv::approxPolyDP(contour, approx, 5, true);
if (approx.size() == 4) {
filteredContours.push_back(approx);
}
}
}
}
```
阅读全文