c#picturebox内存释放问题

时间:2009-12-02 09:29:09

标签: c# memory-management memory-leaks picturebox

我是C#的新手。我必须在工作线程中重复刷新GUI图片框。从使用GetImage方法轮询驱动程序的摄像机获取图像,该方法检索要显示的图像。即使我使用指令“using”分配位图并显式调用G.C,内存似乎永远不会被释放。

工作线程是这样的:

   while (true)
    {
        // request image with IR signal values (array of UInt16)
        image = axLVCam.GetImage(0);
        lut = axLVCam.GetLUT(1);
        DrawPicture(image, lut);
        //GC.Collect();

    }

虽然DrawPicture方法类似于

   public void DrawPicture(object image, object lut)
{

  [...]

    // We have an image - cast it to proper type
    System.UInt16[,] im = image as System.UInt16[,];
    float[] lutTempConversion = lut as float[];

    int lngWidthIrImage = im.GetLength(0);
    int lngHeightIrImage = im.GetLength(1);

    using (Bitmap bmp = new Bitmap(lngWidthIrImage, lngHeightIrImage)) {

      [...many operation on bitmap pixel...]

        // Bitmap is ready - update image control

        //SetControlPropertyThreadSafe(tempTxtBox, "Text", string.Format("{0:0.#}", lutTempConversion[im[160, 100]]));

        //tempTxtBox.Text = string.Format("{0:00000}", im[160, 100]);
        //System.Drawing.Image.FromHbitmap(bmp.GetHbitmap());
        pic.Image = System.Drawing.Image.FromHbitmap(bmp.GetHbitmap());
    }
}

出现问题
  

pic.Image = System.Drawing.Image.FromHbitmap(bmp.GetHbitmap());

实际上在评论那行代码时,垃圾收集工作正常。 更好的是,问题似乎与

有关
  

System.Drawing.Image.FromHbitmap(bmp.GetHbitmap())

有任何解决此内存泄漏的建议吗?

非常感谢!

3 个答案:

答案 0 :(得分:12)

Image实现IDisposable,因此您应该在不再需要的Dispose个实例上调用Image。您可以尝试在代码中替换此行:

pic.Image = System.Drawing.Image.FromHbitmap(bmp.GetHbitmap());

有了这个:

if (pic.Image != null)
{
    pic.Image.Dispose();
}
pic.Image = System.Drawing.Image.FromHbitmap(bmp.GetHbitmap());

这将在分配新图像之前处理先前的图像(如果有的话)。

答案 1 :(得分:8)

问题是,您正在使用GetHbitmap制作bmp的GDI位图,根据msdn:

  

你有责任打电话给   GDI DeleteObject方法来释放   GDI位图对象使用的内存。

然后FromHbitmap方法复制GDI位图;因此,您可以在创建新图像后立即使用GDI DeleteObject方法释放传入的GDI位图。

基本上我会添加:

[System.Runtime.InteropServices.DllImport("gdi32.dll")]
public static extern bool DeleteObject(IntPtr hObject);

...

IntPtr gdiBitmap = bmp.GetHbitmap();

// Release the copied GDI bitmap
if (pic.Image != null)
{
    pic.Image.Dispose();
}

pic.Image = System.Drawing.Image.FromHbitmap(gdiBitmap);

// Release the current GDI bitmap
DeleteObject(gdiBitmap);

我不确定您是否需要GDI位图来执行某种转换。如果不这样做,您只需将位图分配给PictureBox的Image属性,并忽略前一个解决方案:

// Since we're not using unmanaged resources anymore, explicitly disposing 
// the Image only results in more immediate garbage collection, there wouldn't 
// actually be a memory leak if you forget to dispose.
if (pic.Image != null)
{
    pic.Image.Dispose();
}

pic.Image = bmp;

答案 2 :(得分:3)

有几种方法可以从pbox中释放图像。我强烈建议不要使用pbox.Image = Image.FromFile...。如果你不使用FileStream,你想从文件中读取它使用BitMap类。像这样:

Bitmap bmp = new Bitmap(fileName);
pbox.Image = bmp; // notice that we used bitmap class to initialize pbox.

...然后您要发布图像文件bmp.Dispose();
现在您可以删除,移动或任何您想要的文件。