我收到此异常"由于内存不足异常而禁用了功能评估"从这行代码。
this.pbErrorSign.BackgroundImageLayout = System.Windows.Forms.ImageLayout.Stretch;
我实际上添加了一个背景图像和许多其他图像,如警告图像和图片框而不是按钮,以制作有吸引力的GUI。程序在前一段时间运行良好,现在它给了我这个....帮助plz
以下代码来自设计师。
this.pbErrorSign.BackColor = System.Drawing.Color.Transparent;
this.pbErrorSign.BackgroundImage = global::SAMS.Properties.Resources.ErrorSign3;
this.pbErrorSign.BackgroundImageLayout = System.Windows.Forms.ImageLayout.Stretch;
this.pbErrorSign.Location = new System.Drawing.Point(69, 121);
this.pbErrorSign.Name = "pbErrorSign";
this.pbErrorSign.Size = new System.Drawing.Size(30, 30);
this.pbErrorSign.TabIndex = 1;
this.pbErrorSign.TabStop = false;
以下是名为errorDialogForm
的表单代码public partial class ErrorDialogForm : Form
{
protected override void OnShown(EventArgs e)
{
base.OnShown(e);
this.Capture = true;
}
public ErrorDialogForm()
{
InitializeComponent();
}
public string LabelText
{
get
{
return this.lblError.Text;
}
set
{
this.lblError.Text = value;
}
}
private void pbOkButton_Click(object sender, EventArgs e)
{
this.Close();
}
private void pbOkButton_MouseEnter(object sender, EventArgs e)
{
this.pbOkButton.BackgroundImage = ((System.Drawing.Image)(Properties.Resources.purpleOkButton));
}
private void pbOkButton_MouseLeave(object sender, EventArgs e)
{
this.pbOkButton.BackgroundImage = ((System.Drawing.Image)(Properties.Resources.blueOkButton));
}
private void ErrorDialogForm_Enter(object sender, EventArgs e)
{
this.Close();
}
private void ErrorDialogForm_Deactivate(object sender, EventArgs e)
{
this.Close();
}
private void ErrorDialogForm_FormClosing(object sender, FormClosingEventArgs e)
{
this.Hide();
this.Parent = null;
e.Cancel = true;
}
}
答案 0 :(得分:1)
由于内存不足异常
,功能评估被禁用
这是一个调试器通知,它只是告诉你它不会向你展示任何东西,因为程序与OOM崩溃了。当发生这种情况时,调试器崩溃的几率很高。 真正的问题是你得到的OOM异常导致调试器停止程序。
this.pbOkButton.BackgroundImage = Properties.Resources.purpleOkButton;
导致崩溃的声明。您可以在移动鼠标时频繁触发的事件中执行此操作。不太明显的是,此语句创建了一个 new Bitmap对象。旧的没有被处置。这使得程序的内存使用率迅速攀升,垃圾收集器可以对此做任何事情,因为你没有分配任何其他对象。 OOM kaboom是不可避免的。
正确的解决方法是仅创建一次这些位图:
private Image purpleOk;
private Image blueOk;
public ErrorDialogForm()
{
InitializeComponent();
purpleOk = Properties.Resources.purpleOkButton;
blueOk = Properties.Resources.blueOkButton;
pbOkButton.BackgroundImage = blueOk;
}
private void pbOkButton_MouseEnter(object sender, EventArgs e)
{
this.pbOkButton.BackgroundImage = purpleOk;
}
private void pbOkButton_MouseLeave(object sender, EventArgs e)
{
this.pbOkButton.BackgroundImage = blueOk;
}
protected override void OnFormClosed(FormClosedEventArgs e)
{
purpleOk.Dispose();
blueOk.Dispose();
base.OnFormClosed(e);
}