概述
这个函数用来获取最小包覆矩形。
由于返回的是旋转矩形,可以比较容易的获得矩形的 旋转角度 、中心坐标 和 顶点的值 ,便于后续的图像处理。
函数
RotatedRect cv::minAreaRect
(
InputArray points
)
points | 轮廓(点的集合) |
测试代码
#include "widget.h"
#include "ui_widget.h"
#include <QDebug>
#include <opencv2/core/core.hpp>
#include <opencv2/highgui/highgui.hpp>
#include <opencv2/imgproc/imgproc.hpp>
#include <vector>
using namespace cv;
using namespace std;
Widget::Widget(QWidget *parent)
: QWidget(parent)
, ui(new Ui::Widget)
{
ui->setupUi(this);
//定义输入和输出图像
Mat src;
Mat dst_gray,
dst_blur,
dst_canny,
dst_dilate;
//载入图像
src = imread("c:/opencv/x6.bmp");
if(src.empty())
{
qDebug()<<"加载图片失败!";
return;
}
//显示
imshow("src",src);
//灰度处理
cv::cvtColor(src,dst_gray,COLOR_BGR2GRAY);
//高斯模糊
GaussianBlur(dst_gray,dst_blur,Size(3,3),0,0);
//边缘检测
Canny(dst_blur,dst_canny,200,220);
//膨胀
dilate(dst_canny,dst_dilate,Mat());
//检测轮廓
vector<vector<Point>> contours;
findContours(dst_dilate,contours,RETR_EXTERNAL,CHAIN_APPROX_NONE);
qDebug()<<contours.size();
//最小包覆矩形
vector<RotatedRect> rect(contours.size());
vector<vector<Point>> box(contours.size());
//克隆
Mat dst= src.clone();
for (uint i=0;i<contours.size();i++)
{
//得到矩形
rect[i]=minAreaRect(contours[i]);
//打印
qDebug()<<rect[i].angle;
//获得矩形顶点
Point2f ps[4];
rect[i].points(ps);
box[i].push_back(ps[0]);
box[i].push_back(ps[1]);
box[i].push_back(ps[2]);
box[i].push_back(ps[3]);
//绘制
polylines(dst,box[i],1,Scalar(0,255,0),2,8,0);
}
//显示
imshow("dst",dst);
}
Widget::~Widget()
{
delete ui;
}
测试结果
测试过程中,发现函数 boxPoints() 可以获取旋转矩形的四个顶点,反复实验,发现在C++中,其返回类型居然不是 Point 类型,而是 Mat 类型!若定义为其它类型,运行代码就会报错。着实不方便后续操作,百思不得其解。
而 Python 接口中,返回类型确是 Point !是的,你没看错!
查阅官方文档得知,在C++中可以直接使用 RotatedRect::points 方法,获得旋转矩形的4个顶点。官方文档的相关教程和案例也全部使用的上述方法。