Reputation:
As subject. Preferibly using C code.
Upvotes: 2
Views: 2049
Reputation: 2815
Use GetDIBits(hdc, hbmp, 0, 1, NULL, &bmi, DIB_RGB_COLORS).
And then see if bmi.bmiHeader.biBitCount has value of 32 then it has alpha channel, otherwise it doesn't have alpha.
Upvotes: 0
Reputation: 31
=========MFC++ version
private: static Boolean __gc* BitmapHasAlpha(BitmapData __gc* bmpData)
{
if ((bmpData->PixelFormat != PixelFormat::Format32bppArgb) && (bmpData->PixelFormat != PixelFormat::Format32bppRgb))
{
return false;
}
for (Int32 __gc* i = 0; (i < bmpData->Height); i++)
{
Int32 __gc* num2 = (i * bmpData->Stride);
for (Int32 __gc* j = 3; (j < (bmpData->Width * 4)); j += 4)
{
Byte __gc** numPtr = *static_cast<__box Byte __gc***>(((bmpData->Scan0->ToPointer() + num2) + j));
if (numPtr[0] != 0)
{
return true;
}
}
}
return false;
}
=========C# version
private static unsafe bool BitmapHasAlpha(BitmapData bmpData)
{
if ((bmpData.PixelFormat != PixelFormat.Format32bppArgb) && (bmpData.PixelFormat != PixelFormat.Format32bppRgb))
{
return false;
}
for (int i = 0; i < bmpData.Height; i++)
{
int num2 = i * bmpData.Stride;
for (int j = 3; j < (bmpData.Width * 4); j += 4)
{
byte* numPtr = ((byte*)bmpData.Scan0.ToPointer()) + num2 + j;
if (numPtr[0] != 0)
{
return true;
}
}
}
return false;
}
Upvotes: 3
Reputation:
I have implemented a prototype but it is not working fine, so there may be something wrong in the code. I share it here with the hope that we can fix it together:
BOOL HasAlphaChannel( HBITMAP hBmp )
{
HDC hDC = CreateCompatibleDC( NULL );
BITMAPINFO bmi;
void * bits;
unsigned long ul;
BOOL bAlphaChannel = FALSE;
memset( &bmi, 0, sizeof( BITMAPINFO ) );
bmi.bmiHeader.biSize = sizeof( BITMAPINFOHEADER );
GetDIBits( hDC, hBmp, 0, 1, NULL, &bmi, DIB_RGB_COLORS );
bits = malloc( bmi.bmiHeader.biSizeImage );
// this is returning zero wich means error (why???)
GetDIBits( hDC, hBmp, 0, bmi.bmiHeader.biHeight, &bits, &bmi, DIB_RGB_COLORS );
for( ul = 0; ul < bmi.bmiHeader.biSizeImage; ul += 4 )
if( ( ( char * ) bits )[ ul + 3 ] != 0 )
bAlphaChannel = TRUE;
free( bits );
DeleteDC( hDC );
return bAlphaChannel;
}
Thanks!
Upvotes: 1
Reputation:
On that answer it is not clear what to do with GetDiBits():
GetDIBits( hDC, hBmp, 0, 1, (void**) &bits, &bmi, DIB_RGB_COLORS );
bits[3] == alpha of topleft pixel;
Should bits[3] be tested against zero ? what to do with that value ? thanks,
Upvotes: 1