0

我是opencv的新手。我的问题如下:我有一个很大的形象。我想取它的 4 个角,以便从每个角​​取一个 5X5 像素的区域。然后我想根据 4 个角创建一个大图像。

新图像的尺寸为 10X10。

解决这个问题的最佳方法是什么?

谢谢

4

2 回答 2

4

使用 C++ 接口,您可以这样做:

#include <opencv2/opencv.hpp>
cv::Mat CornersOnly(const cv::Mat& src, int cw, int ch)
{
    using namespace cv;
    int w(src.cols);
    int h(src.rows);
    CV_Assert(w >= cw);
    CV_Assert(h >= ch);
    Mat dst(2*ch, 2*cw, src.type());
    Mat(src, Rect(0,    0,    cw, ch)).copyTo(Mat(dst, Rect( 0,  0, cw, ch)));
    Mat(src, Rect(w-cw, 0,    cw, ch)).copyTo(Mat(dst, Rect(cw,  0, cw, ch)));
    Mat(src, Rect(0,    h-ch, cw, ch)).copyTo(Mat(dst, Rect( 0, ch, cw, ch)));
    Mat(src, Rect(w-cw, h-ch, cw, ch)).copyTo(Mat(dst, Rect(cw, ch, cw, ch)));
    return dst;
}
int main()
{
    cv::imwrite("Lenna_Corners.png", CornersOnly(cv::imread("Lenna.png"), 100, 100));
}

输入:

在此处输入图像描述

输出:

在此处输入图像描述

为了获得更好的可见性,我在此示例中使用了 100 而不是 5 像素。

于 2013-01-12T16:31:43.293 回答
1

这是一个通过在 OpenCV C 界面中组合图像的 4 个角来创建图像的简单函数。我不知道这是否是最好的方法,但它有效:

IplImage* getCorners(IplImage* img, int regionWidth, int regionHeight)
{
    IplImage* result = cvCreateImage(cvSize(regionWidth * 2,regionHeight * 2),img->depth,img->nChannels);

    //Copy Top Left Region
    cvSetImageROI(img,cvRect(0,0,regionWidth,regionHeight));
    cvSetImageROI(result,cvRect(0,0,regionWidth,regionHeight));
    cvCopy(img,result);

    //Copy Top Right Region
    cvSetImageROI(img,cvRect(img->width - regionWidth - 1,0,regionWidth,regionHeight));
    cvSetImageROI(result,cvRect(regionWidth,0,regionWidth,regionHeight));
    cvCopy(img,result);

    //Copy Bottom Left Region
    cvSetImageROI(img,cvRect(0,img->height - regionHeight - 1,regionWidth,regionHeight));
    cvSetImageROI(result,cvRect(0,regionHeight,regionWidth,regionHeight));
    cvCopy(img,result);

    //Copy Bottom Right Region
    cvSetImageROI(img,cvRect(img->width - regionWidth - 1,img->height - regionHeight - 1,regionWidth,regionHeight));
    cvSetImageROI(result,cvRect(regionWidth,regionHeight,regionWidth,regionHeight));
    cvCopy(img,result);

    //Reset Image Region Of Interest
    cvResetImageROI(img);
    cvResetImageROI(result);

    return result;
}

我希望它有所帮助。:)

于 2013-01-12T15:22:10.077 回答