Existe-t-il une fonction OpenCV permettant de dessiner une image sur une autre image? J'ai une grande image de type Mat
. Et j'ai une petite image de type Mat
(5x7
). Je veux dessiner cette petite image sur la grande image à la variable coordinates
.
Utilisez Mat::rowRange()
et Mat::colRange()
pour spécifier la zone sur laquelle vous souhaitez tracer la destination Mat
. Code:
Mat src( 5, 7, CV_8UC1, Scalar(1)); // 5x7
Mat dst(10, 10, CV_8UC1, Scalar(0)); // 10x10
src.copyTo(dst.rowRange(1, 6).colRange(3, 10));
Résultats dans ce qui suit:
avant copyTo()
:
dst:
( 0 0 0 0 0 0 0 0 0 0 )
( 0 0 0 0 0 0 0 0 0 0 )
( 0 0 0 0 0 0 0 0 0 0 )
( 0 0 0 0 0 0 0 0 0 0 )
( 0 0 0 0 0 0 0 0 0 0 )
( 0 0 0 0 0 0 0 0 0 0 )
( 0 0 0 0 0 0 0 0 0 0 )
( 0 0 0 0 0 0 0 0 0 0 )
( 0 0 0 0 0 0 0 0 0 0 )
( 0 0 0 0 0 0 0 0 0 0 )
après copyTo()
:
dst:
( 0 0 0 0 0 0 0 0 0 0 )
( 0 0 0 1 1 1 1 1 1 1 )
( 0 0 0 1 1 1 1 1 1 1 )
( 0 0 0 1 1 1 1 1 1 1 )
( 0 0 0 1 1 1 1 1 1 1 )
( 0 0 0 1 1 1 1 1 1 1 )
( 0 0 0 0 0 0 0 0 0 0 )
( 0 0 0 0 0 0 0 0 0 0 )
( 0 0 0 0 0 0 0 0 0 0 )
( 0 0 0 0 0 0 0 0 0 0 )
Créez une région d'intérêt dans la grande image, puis copiez la petite image dans cette région:
cv::Rect roi( cv::Point( originX, originY ), cv::Size( width, height ));
cv::Mat destinationROI = bigImage( roi );
smallImage.copyTo( destinationROI );
Si vous êtes certain que la petite image rentre dans la grande image, vous pouvez simplement faire:
cv::Rect roi( cv::Point( originX, originY ), smallImage.size() );
smallImage.copyTo( bigImage( roi ) );
Voici la solution en version Java d'OpenCV
Rect roi= new Rect(originX,originY,smalImage.width(),smallImge.height());
smallImage.copyTo( new Mat(input,roi) );
void zoomImage(Mat &src, Mat &dst, int scale_percent)
{
//# percent of original size
int width = int(src.cols * scale_percent / 100);
int height = int(src.rows * scale_percent / 100);
Size dim = Size(width, height);
//pyrUp(tmp, dst, Size(tmp.cols * 2, tmp.rows * 2));
resize(src, dst, dim, 0.0, 0.0, INTER_CUBIC);
if (scale_percent < 100)
{
Mat srcR =Mat::zeros(Size(640,480),src.type()) ;
int rstart = (src.rows - height) / 2;
int rend = height;
int cstart = (src.cols - width) / 2;
int cend = width;
dst.copyTo(srcR.rowRange( rstart, dst.rows+ rstart).colRange(cstart,dst.cols+ cstart));
dst = srcR.clone();
}
else
{
Mat ROI(dst, Rect((width - src.cols) / 2, (height - src.rows) / 2, src.cols, src.rows));
dst = ROI.clone();
}
}