-1

可能重复:
将图像转换为单色字节数组

我有一个单色位图图像。我像这样加载图像:

Image image = Image.FromFile("myMonoChromeImage.bmp");

如何获得二进制数组,其中 1 代表白色像素,0 代表黑色像素,反之亦然?(数组中的第一位是左上角的像素,数组中的最后一位是右下角的像素)

如果可能的话,将不胜感激一种有效的方法。

4

1 回答 1

0

您可以使用 LockBits 访问位图数据并直接从位图数组复制值。GetPixel 基本上每次都会锁定和解锁位图,因此效率不高。

您可以将数据提取到字节数组,然后检查 RGBA 值以查看它们是白色 (255,255,255,255) 还是黑色 (0,0,0,255)

BitmapData类示例显示了如何执行此操作。在您的情况下,代码将是这样的:

        Rectangle rect = new Rectangle(0, 0, bmp.Width, bmp.Height);
        BitmapData bmpData = bmp.LockBits(rect, ImageLockMode.ReadOnly, bmp.PixelFormat);

        // Get the address of the first line.
        IntPtr ptr = bmpData.Scan0;

        // Declare an array to hold the bytes of the bitmap.
        int bytes  = Math.Abs(bmpData.Stride) * bmp.Height;
        byte[] rgbValues = new byte[bytes];

        // Copy the RGB values into the array.
        System.Runtime.InteropServices.Marshal.Copy(ptr, rgbValues, 0, bytes);

        // Unlock the bits.
        bmp.UnlockBits(bmpData);
于 2012-06-12T09:40:44.217 回答