1

我想知道位图是亮还是暗。我意识到“相当亮或暗”并不是一个非常精确的定义,但我只需要想出一些非常简单的东西。

我的想法是将位图转换为单色位图,然后将白色像素的数量与黑色像素的数量进行比较。

这是我的 C# 代码:

private bool IsDark(Bitmap bitmap)
    {
        if (bitmap == null)
            return true;

        var countWhite = 0;
        var countBlack = 0;

        // Convert bitmap to black and white (monchrome)
        var bwBitmap = bitmap.Clone(new Rectangle(0, 0, bitmap.Width, bitmap.Height), PixelFormat.Format1bppIndexed);

        for (int x = 0; x < bwBitmap.Width - 1; x++)
        {
            for (int y = 0; y < bwBitmap.Height - 1; y++)
            {
                var color = bwBitmap.GetPixel(x, y);
                if (color.A == 255)
                    countWhite++;
                else
                    countBlack++;
            }
        }

        return countBlack > countWhite;
    }

我不明白的是:无论我使用什么位图,黑色像素的数量始终为 0。

我错过了什么?

另外:我很确定有更有效的方法来解决这个任务。但是此时我只想了解为什么上面的代码会失败......

多谢你们!英格玛

4

1 回答 1

1

首先,您可以尝试以下方法:

if (color.R == 0 && color.G == 0 && color.B == 0)
{
    // black
    countBlack++;
}
else if (color.R == 255 && color.G == 255 && color.B == 255)
{
    // white
    countWhite++;
}
else
{
    // neither black or white
}

附带说明GetPixel(x, y)很慢,请看一下Bitmap.LockBits

于 2013-10-23T09:16:34.200 回答