c++ opencv获取旋转矩形区域
时间: 2024-10-21 11:13:33 浏览: 42
opencv+C++有效识别图片中的各种矩形
在OpenCV中,如果你想要获取图像中的旋转矩形区域,你可以使用`getRotatedRect()`函数和`drawContours()`函数。首先,你需要找到轮廓(contours),这通常通过边缘检测(如Canny、HoughCircles或HoughLinesP等)或特征检测(如SIFT、SURF等)得到。
以下是一个简化的步骤:
1. **读取和预处理图像**:
```cpp
cv::Mat image = cv::imread("image.jpg", cv::IMREAD_GRAYSCALE);
```
2. **应用边缘检测或其他特征提取算法**:
```cpp
cv::Canny(image, edges, threshold1, threshold2);
std::vector<std::vector<cv::Point>> contours;
cv::findContours(edges, contours, cv::RETR_EXTERNAL, cv::CHAIN_APPROX_SIMPLE);
```
3. **寻找轮廓并获取旋转矩形**:
对于每个轮廓,可以这样计算旋转矩形:
```cpp
for (const auto& contour : contours) {
cv::Rect boundingRect = cv::boundingRect(contour);
cv::RotatedRect rotatedRect = cv::minAreaRect(contour); // 获取最小的旋转矩形
double angle = rotatedRect.angle; // 取得旋转角度
}
```
4. **绘制旋转矩形**:
```cpp
cv::Mat rotatedImage = cv::Mat::zeros(image.size(), CV_8UC3);
for (const auto& contour : contours) {
cv::drawContours(rotatedImage, {contour}, -1, Scalar(0, 255, 0), 2);
int left = rotatedRect.center.x - rotatedRect.size.width / 2;
int top = rotatedRect.center.y - rotatedRect.size.height / 2;
cv::rectangle(rotatedImage, Point(left, top), Point(left + rotatedRect.size.width, top + rotatedRect.size.height), Scalar(0, 0, 255), 2);
}
```
5. **显示结果**:
```cpp
cv::imshow("Original", image);
cv::imshow("Rotated Rectangles", rotatedImage);
```
阅读全文