IplImage 与 CBitmap类 的相互转换

在VC中利用OpenCV做图像处理程序时,有时需要把IpImage 类型和CBitmap类型相互转换,这样就可以利用VC中的GDI+函数对图像进行某些特殊的显示和处理,非常方便。这里是本人项目中写的两个转换小函数,仅供参考,转载注明,这样方便发现问题的朋友联系我及时修改。

IplImage转换为CBitmap类型

CBitmap *IplImage2CBitmap(const IplImage *pImage)
{
if( pImage && pImage->depth == IPL_DEPTH_8U )
{
   HDC hDC=GetDC(NULL);
   uchar buffer[sizeof(BITMAPINFOHEADER) + 1024];
   BITMAPINFO* bmi = (BITMAPINFO*)buffer;
   int bmp_w = pImage->width, bmp_h = pImage->height;
   FillBitmapInfo( bmi, bmp_w, bmp_h, pImage->depth*pImage->nChannels, pImage->origin );
  
   char *pBits=NULL;
   HBITMAP hBitmap=CreateDIBSection(hDC,bmi,DIB_RGB_COLORS,(void**)&pBits,NULL,0);
   memcpy(pBits,pImage->imageData,pImage->imageSize);
   CBitmap *pBitmap=new CBitmap;
   pBitmap->Attach(hBitmap);

   return pBitmap;
}
else
   return NULL;
}

void FillBitmapInfo( BITMAPINFO* bmi, int width, int height, int bpp, int origin )
{
assert( bmi && width >= 0 && height >= 0 && (bpp == 8 || bpp == 24 || bpp == 32));

BITMAPINFOHEADER* bmih = &(bmi->bmiHeader);

memset( bmih, 0, sizeof(*bmih));
bmih->biSize = sizeof(BITMAPINFOHEADER);
bmih->biWidth = width;
bmih->biHeight = origin ? abs(height) : -abs(height);
bmih->biPlanes = 1;
bmih->biBitCount = (unsigned short)bpp;
bmih->biCompression = BI_RGB;

if( bpp == 8 )
{
   RGBQUAD* palette = bmi->bmiColors;
   int i;
   for( i = 0; i < 256; i++ )
   {
    palette[i].rgbBlue = palette[i].rgbGreen = palette[i].rgbRed = (BYTE)i;
    palette[i].rgbReserved = 0;
   }
}
}

CBitmap转换为IplImage类型

IplImage *CBitmap2IplImage(const CBitmap *pBitmap)
{
DIBSECTION ds;
pBitmap->GetObject(sizeof(ds),&ds);
IplImage *pImage=cvCreateImage(cvSize(ds.dsBm.bmWidth,ds.dsBm.bmHeight),8,ds.dsBmih.biBitCount/8);
memcpy(pImage->imageData,ds.dsBm.bmBits,pImage->imageSize);
return pImage;
}

下面的方法同样可以做此转换:

 HBITMAP hBmp = HBITMAP(memBitmap);
BITMAP bmp;
memBitmap.GetBitmap(&bmp);
int depth,nChannels;
if(bmp.bmBitsPixel == 1)//得到图像深度和通道数
{
depth=IPL_DEPTH_1U;
nChannels=1;
}
else
{
depth=IPL_DEPTH_8U;  
nChannels=bmp.bmBitsPixel/8;
}
IplImage* pImageBuf = cvCreateImage(cvSize(bmp.bmWidth,bmp.bmHeight), depth, nChannels); //创建图像      
BYTE *pBuffer = new BYTE[bmp.bmHeight*bmp.bmWidth*nChannels]; //创建缓冲区   
GetBitmapBits(hBmp, bmp.bmHeight*bmp.bmWidth*nChannels, pBuffer); //将位图信息复制到缓冲区
memcpy(pImageBuf->imageData, pBuffer, bmp.bmHeight*bmp.bmWidth*nChannels);//将缓冲区信息复制给IplImage

你可能感兴趣的:(转换,CDC,IplImage,CBitmap)