我正在打开另一个MDI子级的MDI子级表单,并且该表单正在运行,但是现在我必须以相同的方式关闭它,并且什么也没有发生。
这是我使用的代码示例:
private void checkbox1_CheckedChanged(object sender, EventArgs e)
{
Form1 newForm1 = new Form1();
newForm1.MdiParent = this.MdiParent;
if (checkbox1_CheckedChanged.Checked == true)
{
newForm1.Show(); //this is working
}
else
{
newForm1.Dispose(); //this is not working. I have tryed .Close(), .Hide()... unsucessfully.
}
}
解释:我在一个mdi子级中有这个checkbox1,当选中它时另一个mdi子级(newForm1)将打开,而当未选中时,该mdi子级(newForm1)将关闭,隐藏或类似的东西。
有什么建议么?
谢谢!
最佳答案
您需要在表单集合中“查找”该表单以进行处理:
private void checkBox1_CheckedChanged(object sender, EventArgs e) {
if (checkBox1.Checked) {
Form1 form1 = new Form1();
form1.MdiParent = this.MdiParent;
form1.Show();
} else {
Form found = this.MdiParent.MdiChildren.Where(x =>
x.GetType() == typeof(Form1)).FirstOrDefault();
if (found != null) {
found.Dispose();
}
}
}
假定集合中只有一个Form1表单。
另一种方法是在检查更改的方法范围之外声明form变量:
Form1 form1;
private void checkBox1_CheckedChanged(object sender, EventArgs e) {
if (checkBox1.Checked) {
if (form1 == null || form1.IsDisposed) {
form1 = new Form1();
form1.MdiParent = this.MdiParent;
form1.Show();
}
} else {
if (form1 != null) {
form1.Dispose();
}
}
}