我有一些使用CImage的现有代码,它有一个alpha通道,我需要旋转它。
我找到了以下建议,将CImage转换为GDI +位图,然后旋转它,旋转的结果最终返回CImage。
Bitmap* gdiPlusBitmap=Bitmap::FromHBITMAP(atlBitmap.Detach());
gdiPlusBitmap->RotateFlip(Rotate90FlipNone);
HBITMAP hbmp;
gdiPlusBitmap->GetHBITMAP(Color::White, &hbmp);
atlBitmap.Attach(hbmp);
显然它可以在没有实际复制位图字节的情况下工作,这很好,但问题是如果你从HBITMAP创建一个Bitmap对象,它会抛弃alpha通道。
显然,要保留Alpha通道,您必须使用构造函数
创建位图Bitmap(
[in] INT width,
[in] INT height,
[in] INT stride,
[in] PixelFormat format,
[in] BYTE *scan0
);
所以我试图调整上面的内容来使用这个构造函数,但CImage和Bitmap之间的交互有点令人困惑。我想我需要像这样创建Bitmap
Bitmap* gdiPlusBitmap = new Bitmap(
pCImage->GetWidth(),
pCImage->GetHeight(),
pCImage->GetPitch(),
PixelFormat32bppARGB,
(BYTE *)pCImage->GetBits());
nGDIStatus = gdiPlusBitmap->RotateFlip(Rotate90FlipNone);
但我不确定如何让CImage接收更改(以便我最终将原始CImage旋转),或者删除Bitmap对象的位置。
有没有人知道这样做的正确方法,保留alpha通道?
理想情况下,我希望避免复制位图数据,但这不是强制性的。
答案 0 :(得分:1)
您可以使用Gdiplus::Graphics
在CImage
上绘制位图。
注意,如果图像不支持Alpha通道,硬编码PixelFormat32bppARGB
可能会导致问题。我添加了一些基本的错误检查。
CImage image;
if (S_OK != image.Load(L"c:\\test\\test.png"))
{
AfxMessageBox(L"can't open");
return 0;
}
int bpp = image.GetBPP();
//get pixel format:
HBITMAP hbmp = image.Detach();
Gdiplus::Bitmap* bmpTemp = Gdiplus::Bitmap::FromHBITMAP(hbmp, 0);
Gdiplus::PixelFormat pixel_format = bmpTemp->GetPixelFormat();
if (bpp == 32)
pixel_format = PixelFormat32bppARGB;
image.Attach(hbmp);
//rotate:
Gdiplus::Bitmap bmp(image.GetWidth(), image.GetHeight(), image.GetPitch(), pixel_format, static_cast<BYTE*>(image.GetBits()));
bmp.RotateFlip(Gdiplus::Rotate90FlipNone);
//convert back to image:
image.Destroy();
if (image.Create(bmp.GetWidth(), bmp.GetHeight(), 32, CImage::createAlphaChannel))
{
Gdiplus::Bitmap dst(image.GetWidth(), image.GetHeight(), image.GetPitch(), PixelFormat32bppARGB, static_cast<BYTE*>(image.GetBits()));
Gdiplus::Graphics graphics(&dst);
graphics.DrawImage(&bmp, 0, 0);
}