我有一个8位位图彩色图像。当我做的时候
Color pixelcolor = b.GetPixel(j,i);
Console.Write(pixelcolor.ToString() + " " );
我得到了
Color [A=255, R=255, G=255, B=255]
我只需要获得8位值。不是R,G,B,A的24位单独值。
答案 0 :(得分:5)
直接使用Bitmap
类无法做到这一点。但是,您可以使用LockBits
方法直接访问像素。
使用unsafe代码:(请先记住项目中的enable unsafe code)
public static unsafe Byte GetIndexedPixel(Bitmap b, Int32 x, Int32 y)
{
if (b.PixelFormat != PixelFormat.Format8bppIndexed) throw new ArgumentException("Image is not in 8 bit per pixel indexed format!");
if (x < 0 || x >= b.Width) throw new ArgumentOutOfRangeException("x", string.Format("x should be in 0-{0}", b.Width));
if (y < 0 || y >= b.Height) throw new ArgumentOutOfRangeException("y", string.Format("y should be in 0-{0}", b.Height));
BitmapData data = b.LockBits(new Rectangle(0, 0, b.Width, b.Height), ImageLockMode.ReadOnly, b.PixelFormat);
try
{
Byte* scan0 = (Byte*)data.Scan0;
return scan0[x + y * data.Stride];
}
finally
{
if (data != null) b.UnlockBits(data);
}
}
安全的替代方案,使用Marshal.Copy
:
public static Byte GetIndexedPixel(Bitmap b, Int32 x, Int32 y)
{
if (b.PixelFormat != PixelFormat.Format8bppIndexed) throw new ArgumentException("Image is not in 8 bit per pixel indexed format!");
if (x < 0 || x >= b.Width) throw new ArgumentOutOfRangeException("x", string.Format("x should be in 0-{0}", b.Width));
if (y < 0 || y >= b.Height) throw new ArgumentOutOfRangeException("y", string.Format("y should be in 0-{0}", b.Height));
BitmapData data = b.LockBits(new Rectangle(0, 0, b.Width, b.Height), ImageLockMode.ReadOnly, b.PixelFormat);
try
{
Byte[] pixel = new Byte[1];
Marshal.Copy(new IntPtr(data.Scan0.ToInt64() + x + y * data.Stride), pixel, 0, 1);
return pixel[0];
}
finally
{
if (data != null) b.UnlockBits(data);
}
}
答案 1 :(得分:1)
Bitmap
类中的方法不允许直接获取调色板索引。
您可以使用Palette
属性获取图像的调色板,并在那里查找颜色,但这是一种解决方法。
要直接获取调色板索引,可以使用LockBits
方法直接访问图像数据。您可能必须使用编组将数据复制到数组中,或者在不安全模式下使用指针来访问它。
A
值中的Color
属性是Alpha组件。它的值可以是0到255,其中0表示完全透明,255表示完全透明。
答案 2 :(得分:-1)
您想要的值实际上是R
,G
和B
,它们是对应Red
,Green
和{{1}的8位位图值}颜色的组成部分。
Blue
是A
组合,是颜色的透明度值。如果你不关心它,就不要在字符串输出中显示它。
答案 3 :(得分:-1)
如果您不想使用LockBits,可以执行以下操作:
警告:此方法仅在调色板没有重复值且在设置pixelRGB后未被其他线程更改时才有效。
/// <summary>
/// Gets the pixel value in bytes. Uses Bitmap GetPixel method.
/// </summary>
/// <param name="bmp">Bitmap</param>
/// <param name="location">Pixel location</param>
/// <returns>Pixel value</returns>
public static byte Get8bppImagePixel(Bitmap bmp, Point location)
{
Color pixelRGB = bmp.GetPixel(location.X, location.Y);
int pixel8bpp = Array.IndexOf(bmp.Palette.Entries, pixelRGB);
return (byte)pixel8bpp;
}