检查图像是否着色

本文关键字:是否 图像 检查 | 更新日期: 2023-09-27 18:32:30

我试图弄清楚图像是否着色。关于这个 StackOverflow 问题,有一个回复说我应该检查ImagePixelFormat枚举。不幸的是,我的回答不是很清楚。检查image.PixelFormat是否与PixelFormat.Format16bppGrayScale不同以将其视为彩色图像是否安全?枚举的其他值呢?MSDN 文档不是很清楚...

检查图像是否着色

您可以通过避免使用Color.FromArgb并迭代字节而不是整数来改善这一点,但我认为这对您来说更具可读性,并且作为一种方法更容易理解。

一般的想法是将图像绘制成已知格式的位图(32bpp ARGB),然后检查该位图是否包含任何颜色。

锁定位图的位可以让你循环访问它的颜色数据,比使用不安全代码的GetPixel快很多倍。

如果像素的 alpha 为 0,那么它显然是灰度,因为 alpha 0 意味着它是完全不透明的。除此之外 - 如果 R = G = B,那么它是灰色的(如果他们 = 255,它是黑色的)。

private static unsafe bool IsGrayScale(Image image)
{
    using (var bmp = new Bitmap(image.Width, image.Height, PixelFormat.Format32bppArgb))
    {
        using (var g = Graphics.FromImage(bmp))
        {
            g.DrawImage(image, 0, 0);
        }
        var data = bmp.LockBits(new Rectangle(0, 0, bmp.Width, bmp.Height), ImageLockMode.ReadOnly, bmp.PixelFormat);
        var pt = (int*)data.Scan0;
        var res = true;
        for (var i = 0; i < data.Height * data.Width; i++)
        {
            var color = Color.FromArgb(pt[i]);
            if (color.A != 0 && (color.R != color.G || color.G != color.B))
            {
                res = false;
                break;
            }
        }
        bmp.UnlockBits(data);
        return res;
    }
}
    private bool isGrayScale(Bitmap processedBitmap)
    { 
        bool res = true;
        unsafe
        {
            System.Drawing.Imaging.BitmapData bitmapData = processedBitmap.LockBits(new Rectangle(0, 0, processedBitmap.Width, processedBitmap.Height), System.Drawing.Imaging.ImageLockMode.ReadWrite, processedBitmap.PixelFormat);
            int bytesPerPixel = System.Drawing.Bitmap.GetPixelFormatSize(processedBitmap.PixelFormat) / 8;
            int heightInPixels = bitmapData.Height;
            int widthInBytes = bitmapData.Width * bytesPerPixel;
            byte* PtrFirstPixel = (byte*)bitmapData.Scan0;
            Parallel.For(0, heightInPixels, y =>
            {
                byte* currentLine = PtrFirstPixel + (y * bitmapData.Stride);
                for (int x = 0; x < widthInBytes; x = x + bytesPerPixel)
                {
                    int b = currentLine[x];
                    int g = currentLine[x + 1];
                    int r = currentLine[x + 2];
                    if (b != g || r != g)
                    {
                        res = false;
                        break;
                    }
                }
            });
            processedBitmap.UnlockBits(bitmapData);
        }
        return res;
    }

SimpleVar 的答案大多是正确的:当源图像具有索引颜色格式时,代码无法正确处理。

要解决此问题,只需将外部using块替换为:

using (var bmp = new Bitmap(image)) {

并完全删除内部using,因为不再需要Graphics对象。这将以非索引格式创建图像的完美副本,而不考虑原始图像的像素格式。