本文实例为大家分享了Android九宫格图片展示的具体代码,供大家参考,具体内容如下
一、基本原理
1
2
3
4
|
Mat img= imread(image);
Rect rect(50,20, 200, 50);
Mat ROI = img(rect);
imshow( "ROI_WIN" ,ROI);
|
- 其中:Rect的函数定义为: Rect(_Tp _x, _Tp _y, _Tp _width, _Tp _height);
_Tp _x:表示矩形左上角顶点的x坐标; _Tp _y:表示矩形左上角顶点的y坐标;
_Tp _width:表示矩形框的宽度 ; _Tp _height:表示矩形框的高度
二、具体使用
在一张图片中想手动通过鼠标绘制矩形框的方式来选择多个图片区域并逐一保存,其中主要包括以下几方面的实现:
- 响应鼠标点击事件,绘制矩形框
- 将矩形框中图片进行显示和保存,保存的文件名为ROI_i.jpg,其中i表示第i次绘制的矩形框。
具体实现代码如下:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
|
#include <opencv2/highgui/highgui.hpp>
#include <opencv2/core/core.hpp>
#include <opencv2/imgproc/imgproc.hpp>
#include <iostream>
using namespace cv;
using namespace std;
cv::Mat img;
bool select_flag = false ;
cv::Rect m_select;
cv::Point origin;
int ROI_count;
void onMouseRectPicking( int event, int x, int y, int , void *)
{
if (select_flag)
{
m_select.x = MIN(origin.x, x); //不一定要等鼠标弹起才计算矩形框,而应该在鼠标按下开始到弹起这段时间实时计算所选矩形框
m_select.y = MIN(origin.y, y);
m_select.width = abs (x - origin.x); //算矩形宽度和高度
m_select.height = abs (y - origin.y);
m_select &= cv::Rect(0, 0, img.cols, img.rows); //保证所选矩形框在视频显示区域之内
}
if (event == CV_EVENT_LBUTTONDOWN)
{
select_flag = true ; //鼠标按下的标志赋真值
origin = cv::Point(x, y); //保存下来单击捕捉到的点
m_select = cv::Rect(x, y, 0, 0); //这里一定要初始化,宽和高为(0,0)是因为在opencv中Rect矩形框类内的点是包含左上角那个点的,但是不含右下角那个点
}
else if (event == CV_EVENT_LBUTTONUP)
{
select_flag = false ;
ROI_count++;
}
}
int main( int argc, char * argv[] )
{
img=imread( "/home/drew/picture_cut/build/scenary.jpg" );
bool stop = false ;
cv::namedWindow( "capframe" , CV_WINDOW_AUTOSIZE);
cv::setMouseCallback( "capframe" , onMouseRectPicking, 0);
char pic_name[40];
ROI_count=0;
while (!stop)
{
img=imread( "/home/drew/picture_cut/build/scenary.jpg" );
cv::rectangle(img, m_select, cv::Scalar(255,0,0), 2, 8, 0); // 画矩形框
cv::imshow( "capframe" ,img);
if ((m_select.x!=0)&&(m_select.y!=0)&&(m_select.width!=0)&&(m_select.height!=0))
{
sprintf (pic_name, "ROI_%d.jpg" ,ROI_count);
Mat ROI = img(m_select);
imshow( "ROI_WIN" ,ROI);
imwrite(pic_name,ROI);
}
char key = cv::waitKey(30);
if (key == 27)
stop = true ;
}
waitKey(0);
return 0;
}
|
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持服务器之家。
原文链接:https://blog.csdn.net/yph001/article/details/79836960