BitmapSource.CopyPixel: 如何只复制感兴趣的区域?

BitmapSource.CopyPixel: how to copy only area of interest?

我有一个System.Windows.Media.Imaging.BitmapSource,还有一个小的Int32Rect

我只想将矩形中的位图字节复制到缓冲区。

Addition:我想使用这个缓冲区对像素值进行计算,在这种情况下:我想计算一个值来指示图像的锐度位图中的数据:它是否在焦点上?该计算测量每个像素与相邻像素的差异。 我不想将数据放在其他位图中

为此我认为我应该使用 BitmapSource.CopyPixels:

BitmapSource.CopyPixesl: Copies the bitmap pixel data within the specified rectangle into an array of pixels that has the specified stride starting at the specified offset.

假设位图为100像素宽,每个像素有32位(4字节,格式Bgr32)。完整位图的像素索引为:

Stride 0: [000] [001] [002] [003] ...
Stride 1: [100] [101] [102] [103] ...
Stride 2: [200] [201] [202] [203] ... 
Stride 3: [300] [301] [302] [303] ... 
...

Stride x starts at x * 100.
Pixel y in stride x starts at x * 100 + y

我感兴趣的区域从 [2,3] 开始。它是 2 像素宽,3 像素高。
BitmapSource 每个像素有 32 位。每个像素是 4 个字节。
所以我想在索引处的字节数组中复制 6 个 RGBA 值:

[202] RGBA values at 00..03
[203] RGBA values at 04..07
[302] RGBA values at 08..11
[303] RGBA values at 12..15
[402] RGBA values at 16..19
[403] RGBA values at 20..23

我使用了以下代码:

BitmapSource bmp = ...                                    // 100 by 100 pixels
Int32Rect rect = new Int32Rect(0, 0, 2, 3);               // start at [0,0], 2 wide, 3 high

int bytesPerPixel = (bmp.Format.BitsPerPixel + 7) / 8;    // 4 bytes per pixel
int stride = bmp.PixelWidth * bytesPerPixel;              // 400
byte[] largeBuffer = new byte[10000];                     // large buffer; TODO: proper length
bmp.CopyPixels(areaOfInterest, largeBuffer, stride, 0);

缓冲区未按预期填充,填充如下:

bytes 000 .. 007 filled; bytes 008 .. 399 zero
bytes 400 .. 407 filled; bytes 408 .. 799 zero
bytes 800 .. 807 filled; bytes 808 .. end zero

奇怪的是:如果我使用矩形的不同 x,y,结果仍然在这些位置。 我想也许参数 Stride 是目标缓冲区中的步幅。事实上,这给了我一个连续的数组,但值仍然不是我想要的值。

那么我应该怎么做,只复制我感兴趣的像素到一个连续的缓冲区?

您尝试使用 CroppedBitmap 了吗?

你的代码应该是这样的:

var croppedImage = new CroppedBitmap(image, new Int32Rect(0, 0, 2, 3)); 

除了使用 CroppedBitmap 可能比复制矩形并从中创建新位图更容易之外,CopyPixels 方法的文档具有误导性甚至是错误的。

stride 参数不是为了保存源位图的步幅,而是裁剪区域的步幅:

var rect = new Int32Rect(0, 0, 2, 3);

var stride = (rect.Width * bmp.Format.BitsPerPixel + 7) / 8; // here

var buffer = new byte[stride * rect.Height];

bmp.CopyPixels(rect, buffer, stride, 0);