0

要更改 c#.net 4 中图像的亮度,我使用了以下方法。

 public void SetBrightness(int brightness)
    {
        imageHandler.RestorePrevious();
        if (brightness < -255) brightness = -255;
        if (brightness > 255) brightness = 255;
        ColorMatrix cMatrix = new ColorMatrix(CurrentColorMatrix.Array);
        cMatrix.Matrix40 = cMatrix.Matrix41 = cMatrix.Matrix42 = brightness / 255.0F;
        imageHandler.ProcessBitmap(cMatrix);
    } 

      internal void ProcessBitmap(ColorMatrix colorMatrix)
          {
            Bitmap bmap = new Bitmap(_currentBitmap.Width, _currentBitmap.Height)

            ImageAttributes imgAttributes = new ImageAttributes();
            imgAttributes.SetColorMatrix(colorMatrix);
            Graphics g = Graphics.FromImage(bmap);
            g.InterpolationMode = InterpolationMode.NearestNeighbor;
            g.DrawImage(_currentBitmap, new Rectangle(0, 0, _currentBitmap.Width,   
            _currentBitmap.Height), 0, 0, _currentBitmap.Width, 
            _currentBitmap.Height,  GraphicsUnit.Pixel, imgAttributes);
            _currentBitmap = (Bitmap)bmap.Clone();


        }

如果多次更改亮度,则会显示“内存不足”异常。我曾尝试使用“使用块”,但顺其自然。

有任何想法吗?

请参阅链接 http://www.codeproject.com/Articles/227016/Image-Processing-using-Matrices-in-Csharp 并建议在方法中是否可以进行任何类型的优化(旋转、亮度、裁剪和撤消) .

4

1 回答 1

0

我已经从 CodeProject 下载了项目,并且修复了内存泄漏。您需要_currentBitmap在覆盖之前处置 Graphics 对象和图像。此外,您需要停止使用.Clone.

如果ProcessBitmap用这段代码替换函数的内容,内存泄漏就消失了:

internal void ProcessBitmap(ColorMatrix colorMatrix)
{
  Bitmap bmap = new Bitmap(_currentBitmap.Width, _currentBitmap.Height);
  ImageAttributes imgAttributes = new ImageAttributes();
  imgAttributes.SetColorMatrix(colorMatrix);
  using (Graphics g = Graphics.FromImage(bmap))
  {
      g.InterpolationMode = InterpolationMode.NearestNeighbor;
      g.DrawImage(_currentBitmap, new Rectangle(0, 0, _currentBitmap.Width, _currentBitmap.Height), 0, 0, _currentBitmap.Width, _currentBitmap.Height, GraphicsUnit.Pixel, imgAttributes);
  }
  _currentBitmap.Dispose();
  _currentBitmap = bmap;
}

此外,这里有一些进一步优化的提示:

  • 停止使用.Clone()。我看过代码,它.Clone()无处不在。除非真的有必要,否则不要克隆对象。在图像处理中,您需要大量内存来存储大型图像文件。您需要在原地进行尽可能多的处理。
  • 您可以在方法之间通过引用Bitmap传递对象。您可以通过这种方式提高性能并降低内存成本。
  • using处理Graphics对象时始终使用块。
  • 当您确定不再需要这些对象时.Dispose()调用它们Bitmap
于 2012-04-16T06:36:26.367 回答