我对c#有疑问。如何使用c#读取jpeg或bmp文件?以及如何将像素的RGB值存储在数组中?那么如何检查该值是否已经存在?
答案 0 :(得分:5)
James Schek有这个,但要注意GetPixel极其缓慢。
以下是使用lockbits的完整示例:
/*Note unsafe keyword*/
public unsafe Image ThresholdUA(float thresh)
{
Bitmap b = new Bitmap(_image);//note this has several overloads, including a path to an image
BitmapData bData = b.LockBits(new Rectangle(0, 0, _image.Width, _image.Height), ImageLockMode.ReadWrite, b.PixelFormat);
byte bitsPerPixel = GetBitsPerPixel(bData.PixelFormat);
/*This time we convert the IntPtr to a ptr*/
byte* scan0 = (byte*)bData.Scan0.ToPointer();
for (int i = 0; i < bData.Height; ++i)
{
for (int j = 0; j < bData.Width; ++j)
{
byte* data = scan0 + i * bData.Stride + j * bitsPerPixel / 8;
//data is a pointer to the first byte of the 3-byte color data
}
}
b.UnlockBits(bData);
return b;
}
还有另一种方法可以使用编组来完成它。这是同样的事情,但是编组:
/*No unsafe keyword!*/
public Image ThresholdMA(float thresh)
{
Bitmap b = new Bitmap(_image);
BitmapData bData = b.LockBits(new Rectangle(0, 0, _image.Width, _image.Height), ImageLockMode.ReadWrite, b.PixelFormat);
/* GetBitsPerPixel just does a switch on the PixelFormat and returns the number */
byte bitsPerPixel = GetBitsPerPixel(bData.PixelFormat);
/*the size of the image in bytes */
int size = bData.Stride * bData.Height;
/*Allocate buffer for image*/
byte[] data = new byte[size];
/*This overload copies data of /size/ into /data/ from location specified (/Scan0/)*/
System.Runtime.InteropServices.Marshal.Copy(bData.Scan0, data, 0, size);
for (int i = 0; i < size; i += bitsPerPixel / 8 )
{
double magnitude = 1/3d*(data[i] +data[i + 1] +data[i + 2]);
//data[i] is the first of 3 bytes of color
}
/* This override copies the data back into the location specified */
System.Runtime.InteropServices.Marshal.Copy(data, 0, bData.Scan0, data.Length);
b.UnlockBits(bData);
return b;
}
答案 1 :(得分:4)
或者,如果您只需要一个或两个,则可以使用GetPixel。
答案 2 :(得分:2)
您可以使用Image.FromFile(http://msdn.microsoft.com/en-us/library/system.drawing.image.fromfile.aspx)从磁盘上的图像创建Image对象。
答案 3 :(得分:2)
正如已经提到的,检索像素的最快方法是使用LockBits()。 但是,有一种方法可以在没有MarshalCopy或不安全代码的情况下完成。
首先,您需要计算图像的Stride。
var stride = ComputeStride(img.Width, format);
宽度* bytesPerPixel值四舍五入可被4整除。请参阅公式here。
然后你需要初始化一个所需大小的数组
var pixels = new byte[img.Height*stride]
然后,您需要检索指向此数组开头的非托管指针。 您可以使用Marshal.UnsafeAddrOfPinnedArrayElement(pixels,0),但在内存中固定数组更安全:
var handle = GCHandle.Alloc(pixels, GCHandleType.Pinned);
var scan0 = pixels.AddrOfPinnedObject();
您需要创建BitmapData结构
var bData = new BitmapData{Width = img.Width, height = img.Height, Stride = stride, Scan0 = scan0};
然后在设置ImageLockMode.UserInputBuffer标志时将它传递给LockBits方法。
img.LockBits(area, ImageLockMode.Readonly | ImageLockMode.UserInputBuffer, format, bData);
瞧!像素存储在像素阵列中。但是您需要取消固定缓冲区:
handle.Free();
这可能看起来很麻烦,但这是最快的方法,因为只需要复制一次数据。