位图区域已经被锁定,多线程环境

时间:2009-10-12 03:53:28

标签: c# .net multithreading

我正在使用通过多个​​线程调用main函数的API。我试图通过该函数访问另一个类中的Bitmap并从中进行写入,但即使将其设置为使用完全不同的对象实例,我遇到InvalidOperationException:位图区域已被锁定。

我尝试在main函数中锁定代码并调用Bitmap.LockBits(...)。是的,当我完成时,会调用UnlockBits。

    /* Part of Class B */
    public Surface imageSurface //Surface is a field of pixels, more or less.
    {
        get
        {
            if (_CurrImage != null && _imageSurface == null)
            {

                _imageSurface = Surface.CopyFromBitmap(_CurrImage);
                return Surface.CopyFromBitmap(_imageSurface.CreateAliasedBitmap());
            }
            else
            {
                Surface clearPixel = new Surface(1, 1);
                clearPixel[0, 0] = ColorBgra.FromBgra(255, 255, 255, 0);
                return clearPixel;
            }
        }
    }
    /* the "main" function, Class A */
    public override void Render(ClassBPrototype parameters, ...)
    {
        ClassB token = (ClassB)parameters; // Here we go again~!
        ...
        Surface ourSurface = dstArgs.Surface;
        if (token.imageSurface.Size != null)
        {
            ourSurface = token.imageSurface;
        }

        lock(typeof(ClassA))
        {
            for (int lRectangleIndex = ...)
            {
                Rectangle lRectangle = rois[lRectangleIndex];

                for (int y = ...)
                {
                    surfaceY = (ourSurface.Height / 2) - (y - (int)CenterY);

                    for (int x = ...)
                    {
                        surfaceX = (ourSurface.Width / 2) - (x - (int)CenterX);
                        if (surfaceX >= 0 && surfaceX < ourSurface.Width && surfaceY >= 0 && surfaceY < ourSurface.Height)
                        {
                            dstArgs.Surface[x, y] = ourSurface[surfaceX, surfaceY];
                        }
                        else
                        {
                            dstArgs.Surface[x, y] = ColorBgra.FromBgra(255, 255, 255, 0);
                        }

                    }
                }
            }
        }
    }

1 个答案:

答案 0 :(得分:4)

问题很可能是代码示例中的锁不受共享资源(Bitmap)的保护。锁需要包含LockBitsUnlockBits调用,才能有效地同时访问Bitmap实例。

在这种情况下,我建议使用实际的Bitmap实例作为锁定对象,因为这是需要再次保护来自不同线程的同时访问。

仅在静态方法中使用锁时才建议锁定typeof(ClassA)

请注意,锁是互斥锁,其他线程将在一个线程获取锁时暂停。如果大部分时间都花在锁内,那么多线程就会产生很少的并行效益。

如果发生异常,锁定将通过锁定构造的设计释放,而UnlockBits方法通常不会被调用。如果可以抛出并捕获异常,我建议从finally块中调用UnlockBits方法。像这样:

private Bitmap _bitmap;
public void foo()
{
    lock (_bitmap)
    {
        BitmapData data;
        try
        {
            data = _bitmap.LockBits(area, ImageLockMOde.ReadOnly, pixelFormat);
            UseBitmapData(data);
        }
        finally
        {
            _bitmap.UnlockBits(data);
        }
    }
}

这个逻辑也可以包含在它自己的类中,实现IDisposable接口,允许使用强大的using结构。