本系列代码托管于:https://github.com/chintsan-code/opencv4-tutorials
本篇使用的项目为:select_contours
#include <opencv2/opencv.hpp>
#include <iostream>
using namespace cv;
using namespace std;
int main(int argc, const char** argv) {
Mat src = imread("../sample/zhifang_ball.png");
if (src.empty()) {
cout << "could not load image..." << endl;
return -1;
}
namedWindow("input", WINDOW_AUTOSIZE);
imshow("input", src);
// 二值化
GaussianBlur(src, src, Size(3, 3), 0);
Mat gray, binary;
cvtColor(src, gray, COLOR_BGR2GRAY);
threshold(gray, binary, 0, 255, THRESH_BINARY_INV | THRESH_OTSU);
// 轮廓发现
imshow("binary", binary);
vector<vector<Point>> contours;
vector<Vec4i> hirearchy;
findContours(binary, contours, hirearchy, RETR_EXTERNAL, CHAIN_APPROX_SIMPLE, Point());
for (size_t t = 0; t < contours.size(); t++) {
double area = contourArea(contours[t]);
double len = arcLength(contours[t], true);
if (area < 100 || len < 10) continue;
Rect box = boundingRect(contours[t]);
// rectangle(src, box, Scalar(0, 0, 255), 2, 8, 0);
RotatedRect rrt = minAreaRect(contours[t]);
// ellipse(src, rrt, Scalar(255, 0, 0), 2, 8);
Point2f pts[4];
rrt.points(pts);
for (int i = 0; i < 4; i++) {
line(src, pts[i], pts[(i + 1) % 4], Scalar(0, 255, 0), 2, 8);
}
printf("area : %.2f, contour lenght : %.2f, angle:%.2f\n", area, len, rrt.angle);
// drawContours(src, contours, t, Scalar(0, 0, 255), -1, 8);
}
imshow("find contours demo", src);
waitKey(0);
destroyAllWindows();
return 0;
}
contourArea:基于格林公式计算轮廓面积
double contourArea( InputArray contour, bool oriented = false );
- contour:输入轮廓,使用std::vector容器存储的点集,或Mat对象
- oriented:默认false,即返回面积的绝对值。如果为true,返回的面积是有符号的,这取决于轮廓的方向(顺时针或逆时针),因此可以通过返回的符号判断轮廓的方向
- @return:轮廓面积
arcLength:基于L2距离计算轮廓周长或曲线长度
double arcLength( InputArray curve, bool closed );
- curve:输入轮廓或曲线,使用std::vector容器存储的点集,或Mat对象
- closed:输入的轮廓或曲线是否为闭合的
- @return:轮廓周长或曲线长度
boundingRect:计算最小外接矩形
Rect boundingRect( InputArray array );
- array:输入,灰度图或2D点集,使用std::vector容器存储的点集,或Mat对象
- @return:最小外接矩形
minAreaRect:计算最小外接旋转矩形
RotatedRect minAreaRect( InputArray points );
- points:输入,使用std::vector容器存储的2D点集,或Mat对象
- @return:最小外接旋转矩形
评论 (0)