为什么访问违规异常在访问可写位图图像中的像素时发生

本文关键字:访问 像素 图像 异常 为什么 位图 | 更新日期: 2023-09-27 18:36:50

我有一个从相机到WPF中的图像的视频流。我正在尝试在显示之前逐个像素地访问可写位图图像。作为测试,我正在尝试将整个图像设置为白色或黑色。但是,在这两种情况下,我都会收到访问违规异常错误。

检查了其他帖子,似乎这个错误非常广泛,而不是特定于我的情况。我似乎不知道为什么我没有让它工作。

那么在我的情况下,使用像素的最佳方式是什么?或者为什么这不起作用?任何帮助不胜感激

     private async void UpdateMasterCameraPreview(IdsFrame frame)
    {
        if (masterImage != null)
            frame.Image.CopyTo(masterImage);
        else
            masterImage = frame.Image.ToWriteableBitmap();
        //BitmapImage temp = ConvertWriteableBitmapToBitmapImage(masterImage);
        WriteableBitmap temp = masterImage;
        // Here I get the exception, on every pixel access
        for (int y = 0; y < temp.PixelHeight; y++)
            for (int x = 0; x < temp.PixelWidth; x++)
                temp.SetPixel(x, y, 255);
        masterImage = temp;
        masterImage.Lock();
        masterImage.AddDirtyRect(new Int32Rect(0, 0, masterImage.PixelWidth, masterImage.PixelHeight));
        masterImage.Unlock();
        if (OnMasterFrameCaptured != null)
            OnMasterFrameCaptured(this, new CameraFrameCapturedArgs(CameraType.Master, masterImage));
    }

为什么访问违规异常在访问可写位图图像中的像素时发生

你已经交换了 X 和 Y,i 代表高度,j 代表宽度,那么你应该像这样调用 SetPixel:

temp.SetPixel(j, i, 255);

在这种情况下,最好为变量使用有意义的名称,如 X 和 Y。

我最终使用了这篇文章的答案。现在,我可以在将任何可写位图图像发送到 WPF 中的图像控件之前对其进行编辑原始像素数据。以下是我确切使用的,但在这里我只是在一定条件下将每一帧转换为一些透明度:

        public void ConvertImage(ref WriteableBitmap Wbmp)
    {
        int width = Wbmp.PixelWidth;
        int height = Wbmp.PixelHeight;
        int stride = Wbmp.BackBufferStride;
        int bytesPerPixel = (Wbmp.Format.BitsPerPixel + 7) / 8;
        unsafe
        {
            byte* pImgData = (byte*)Wbmp.BackBuffer;
            // set alpha to transparent for any pixel with red < 0x88 and invert others
            int cRowStart = 0;
            int cColStart = 0;
            for (int row = 0; row < height; row++)
            {
                cColStart = cRowStart;
                for (int col = 0; col < width; col++)
                {
                    byte* bPixel = pImgData + cColStart;
                    UInt32* iPixel = (UInt32*)bPixel;
                    if (bPixel[2 /* bgRa */] < 0x44)
                    {
                        // set to 50% transparent
                        bPixel[3 /* bgrA */] = 0x7f;
                    }
                    else
                    {
                        // invert but maintain alpha
                        *iPixel = *iPixel ^ 0x00ffffff;
                    }
                    cColStart += bytesPerPixel;
                }
                cRowStart += stride;
            }
        }
    }

使用它的例程是这样的:

        masterImage.Lock();
        ConvertImage(ref masterImage);
        masterImage.AddDirtyRect(new Int32Rect(0, 0, masterImage.PixelWidth, masterImage.PixelHeight));
        masterImage.Unlock();