从System.Drawing.Bitmap中提取像素

时间:2013-09-10 19:25:32

标签: c# .net image matlab system.drawing

我正在使用MATLAB中的一些.NET程序集生成一个System.Drawing.Bitmap对象。我想得到一个带有像素的MATLAB矩阵。你是怎么做到的?

我不想将图像保存到磁盘,然后使用imread

2 个答案:

答案 0 :(得分:3)

根据Jeroen的答案,这是进行转换的MATLAB代码:

% make sure the .NET assembly is loaded
NET.addAssembly('System.Drawing');

% read image from file as Bitmap
bmp = System.Drawing.Bitmap(which('football.jpg'));
w = bmp.Width;
h = bmp.Height;

% lock bitmap into memory for reading
bmpData = bmp.LockBits(System.Drawing.Rectangle(0, 0, w, h), ...
    System.Drawing.Imaging.ImageLockMode.ReadOnly, bmp.PixelFormat);

% get pointer to pixels, and copy RGB values into an array of bytes
num = abs(bmpData.Stride) * h;
bytes = NET.createArray('System.Byte', num);
System.Runtime.InteropServices.Marshal.Copy(bmpData.Scan0, bytes, 0, num);

% unlock bitmap
bmp.UnlockBits(bmpData);

% cleanup
clear bmp bmpData num

% convert to MATLAB image
bytes = uint8(bytes);
img = permute(flipdim(reshape(reshape(bytes,3,w*h)',[w,h,3]),3),[2 1 3]);

% show result
imshow(img)

最后一句话很难理解。它实际上等同于以下内容:

% bitmap RGB values are interleaved: b1,g1,r1,b2,g2,r2,...
% and stored in a row-major order
b = reshape(bytes(1:3:end), [w,h])';
g = reshape(bytes(2:3:end), [w,h])';
r = reshape(bytes(3:3:end), [w,h])';
img = cat(3, r,g,b);

结果:

image

答案 1 :(得分:2)

如果你想修改单个像素,你可以调用Bitmap.SetPixel(..),但这很慢。

使用 BitmapData ,您可以将位图作为像素数组获取。

System.Drawing.Imaging.BitmapData bmpData =
            bmp.LockBits(rect, System.Drawing.Imaging.ImageLockMode.ReadWrite,
            bmp.PixelFormat);

IntPtr ptr = bmpData.Scan0;

// code

// Unlock the bits.
bmp.UnlockBits(bmpData);

请参阅: http://msdn.microsoft.com/en-us/library/system.drawing.imaging.bitmapdata.aspx

在示例中,他们使用Marshal.Copy,但是如果您想避免不安全

使用不安全的代码,您可以直接操作像素数据。