1

我已经做了一个应用程序,我需要函数 drawbitmap 来打印我的面板。当我按下按钮 (btnUpdate) 12 次或更多次时,我在此规则上得到一个参数异常(无效参数):panel1.DrawToBitmap(bmp1, new Rectangle(0, 0, 2480, 3508));

private void preview()
        {
            Bitmap bmp1 = new Bitmap(2480, 3508);
            panel1.DrawToBitmap(bmp1, new Rectangle(0, 0, 2480, 3508));
            pictureBox2.Image = bmp1;
        }

        private void btnUpdate_Click(object sender, EventArgs e)
        {
            preview();
        }

有人能帮助我吗?

我无法使用该bmp1.Dispose();功能...我在 Program.cs 文件的这一行中得到一个异常:Application.Run(new Form1());

4

3 回答 3

3

这可能是在您使用完位图后未处理它们的情况。试试这个:

panel1.DrawToBitmap(...);

// get old image 
Bitmap oldBitmap = pictureBox2.Image as Bitmap;

// set the new image
pictureBox2.Image = bmp1;

// now dispose the old image
if (oldBitmap != null)
{
    oldBitmap.Dispose();
}
于 2013-02-18T22:41:49.223 回答
1

你那里有一个很大的内存泄漏,当你点击按钮 12 次点击和最多 1GB 时,请注意你的内存,

尝试将您的 Bitmap 声明为变量并在重新分配之前将其处置。

    private Bitmap bmp1;
    private void preview()
    {
        if (bmp1 != null)
        {
            bmp1.Dispose();
        }
        bmp1 = new Bitmap(2480, 3508);
        panel1.DrawToBitmap(bmp1, new Rectangle(0, 0, 2480, 3508));
        pictureBox2.Image = bmp1;
    }

或者在分配新位图之前清除 PictureBox

    private void preview()
    {
        if (pictureBox2.Image != null)
        {
            pictureBox2.Image.Dispose();
        }
        Bitmap bmp1 = new Bitmap(2480, 3508);
        panel1.DrawToBitmap(bmp1, new Rectangle(0, 0, 2480, 3508));
        pictureBox2.Image = bmp1;
    }
于 2013-02-18T22:44:46.963 回答
0

通过这样做可以解决问题:

private void preview()
{

    Bitmap bmp1 = new Bitmap(2480, 3508);
    panel1.DrawToBitmap(bmp1, new Rectangle(0, 0, 2480, 3508));
    Image img = pictureBox2.Image;
    pictureBox2.Image = bmp1;
    if (img != null) img.Dispose(); // the first time it'll be null

}

private void btnUpdate_Click(object sender, EventArgs e)
{
    preview();
    System.GC.Collect();
    System.GC.WaitForPendingFinalizers();
}
于 2013-02-19T13:46:25.860 回答