c++如何使用opencv获取轮廓的外接矩形
时间: 2023-12-13 14:06:03 浏览: 99
使用OpenCV获取轮廓的外接矩形可以使用`cv::boundingRect()`函数。该函数可以对给定的轮廓进行外接矩形的计算,并返回一个`cv::Rect`类型的矩形对象,其中包含了外接矩形的位置和大小信息。以下是一个示例代码:
```c++
#include <opencv2/opencv.hpp>
int main()
{
// 读取图片
cv
相关问题
c++如何使用opencv获取轮廓的最小外接矩形
使用OpenCV获取轮廓的最小外接矩形可以使用`cv::minAreaRect()`函数。该函数可以对给定的轮廓进行最小外接矩形的计算,并返回一个`RotatedRect`类型的矩形对象,其中包含了最小外接矩形的位置、大小和旋转角度信息。以下是一个示例代码:
```c++
#include <opencv2/opencv.hpp>
int main()
{
// 读取图片
cv::Mat img = cv::imread("test.jpg");
// 转换为灰度图像
cv::Mat gray;
cv::cvtColor(img, gray, cv::COLOR_BGR2GRAY);
// 进行阈值处理
cv::Mat thresh;
cv::threshold(gray, thresh, 127, 255, cv::THRESH_BINARY);
// 查找轮廓
std::vector<std::vector<cv::Point>> contours;
cv::findContours(thresh, contours, cv::RETR_EXTERNAL, cv::CHAIN_APPROX_SIMPLE);
// 绘制轮廓和最小外接矩形
cv::Mat result = img.clone();
for (const auto& contour : contours) {
cv::RotatedRect rect = cv::minAreaRect(contour);
cv::Point2f pts[4];
rect.points(pts);
for (int i = 0; i < 4; ++i) {
cv::line(result, pts[i], pts[(i + 1) % 4], cv::Scalar(0, 0, 255), 2);
}
}
// 显示结果
cv::imshow("result", result);
cv::waitKey(0);
return 0;
}
```
上述代码中,我们首先读取一张图片,并将其转换为灰度图像。然后对灰度图像进行阈值处理,找到轮廓后,使用`cv::minAreaRect()`函数计算轮廓的最小外接矩形,并使用`cv::line()`函数绘制矩形的四条边。最后,将结果图像显示出来。
基于c++下opencv绘制最大外接矩形的代码
以下是基于 C 语言下 OpenCV 绘制最大外接矩形的代码:
```c
#include <opencv2/opencv.hpp>
#include <iostream>
using namespace cv;
using namespace std;
int main()
{
Mat img = imread("test.jpg", IMREAD_COLOR); // 读取图片
if (img.empty()) // 判断图片是否读取成功
{
cout << "Could not read the image" << endl;
return -1;
}
Mat grayImg;
cvtColor(img, grayImg, COLOR_BGR2GRAY); // 转换为灰度图像
Mat binaryImg;
threshold(grayImg, binaryImg, 0, 255, THRESH_BINARY | THRESH_OTSU); // 二值化
vector<vector<Point>> contours;
findContours(binaryImg, contours, RETR_EXTERNAL, CHAIN_APPROX_SIMPLE); // 查找轮廓
double maxArea = 0;
Rect maxRect;
for (size_t i = 0; i < contours.size(); i++)
{
double area = contourArea(contours[i]); // 计算轮廓面积
if (area > maxArea)
{
maxArea = area;
maxRect = boundingRect(contours[i]); // 计算最大外接矩形
}
}
rectangle(img, maxRect, Scalar(0, 0, 255), 2); // 绘制最大外接矩形
imshow("Result", img); // 显示结果
waitKey(0);
return 0;
}
```
希望能对您有所帮助。
阅读全文