1

我是opencv的初学者。我有这个任务:

  1. 制作新图像

  2. 在 0,0 处放入某个图像

  3. 将特定图像转换为灰度

  4. 将灰度图像放在它旁边(在 300, 0 处)

这就是我所做的。我有一个具有构造函数和所有函数的类图像处理程序。

cv::Mat m_image

是成员字段。

构造新图像的构造函数:

imagehandler::imagehandler(int width, int height)
: m_image(width, height, CV_8UC3){


}

从文件中读取图像的构造函数:

imagehandler::imagehandler(const std::string& fileName)
: m_image(imread(fileName, CV_LOAD_IMAGE_COLOR))
{
if(!m_image.data)
{
    cout << "Failed loading " << fileName << endl;
}

}

这是转换为灰度的函数:

void imagehandler::rgb_to_greyscale(){

cv::cvtColor(m_image, m_image, CV_RGB2GRAY);

}

这是复制粘贴图像的功能:

//paste image to dst image at xloc,yloc
void imagehandler::copy_paste_image(imagehandler& dst, int xLoc, int yLoc){

cv::Rect roi(xLoc, yLoc, m_image.size().width, m_image.size().height);
cv::Mat imageROI (dst.m_image, roi);

m_image.copyTo(imageROI);
 }

现在,总的来说,这就是我所做的:

imagehandler CSImg(600, 320); //declare the new image
imagehandler myimg(filepath);

myimg.copy_paste_image(CSImg, 0, 0);
CSImg.displayImage(); //this one showed the full colour image correctly
myimg.rgb_to_greyscale();
myimg.displayImage(); //this shows the colour image in GRAY scale, works correctly
myimg.copy_paste_image(CSImg, 300, 0);
CSImg.displayImage(); // this one shows only the full colour image at 0,0 and does NOT show the greyscaled one at ALL!

似乎是什么问题?我一直在为这个挠头好几个小时!!!

4

1 回答 1

2

您有以下问题:

在构造函数而不是

m_image(width, height, CV_8UC3){}

你应该写

{  
  m_image.create(width, height, CV_8UC3);  
} 

相反,不要担心默认构造。

评论:

  • 我不确定 cvtColor 与输入和输出相同的 Mat 是否正常工作,我认为将其更改为更安全Mat temp; cvtColor(m_image, temp, CV_...); m_image=temp;
  • m_image.empty()您可以通过调用not 来检查图像是否为空!m_image.data。否则你无法确定。由于引用计数的资源管理,指针 m_image.data 也可能过时。
  • 从您之前的问题中,我看到了一个自定义析构函数:您不需要那个,不用担心。
于 2012-11-23T04:58:22.497 回答