我有一个表单会调用另一个将执行操作的表单,如果该操作完成,我在父表单中作为参数放置的标志将以子表单形式设置为true,但如果操作未完成,国旗保持虚假。
父母表格中的代码:
bool flag = false;
new ChildForm(flag).ShowDialog();
if(flag)
{
//some code that depends on that flag be true
}
儿童形式的代码:
bool flag;
public ChildForm(bool flag)
{
InitializeComponent();
this.flag = flag;
}
private SomeMethod()
{
//some code
flag = true;
this.Close();
}
调试它我看到在子窗体中将标志设置为true后,父窗体中的标志也为true,但是在关闭子窗体并编程回执行父窗体代码后,该标志将变为假的。
发生了什么?
答案 0 :(得分:2)
标志变量通过值传递给 ChildForm 的构造函数,并分配给也称为 flag 的私有变量。这意味着对私有变量的任何更改都不会影响原始变量。
要解决此问题,您需要将 ChildForm 变量声明为public并在原始方法中使用它。
public boolean flag;
public ChildForm(boolean flag)
{
InitializeComponent();
this.flag = flag;
}
private SomeMethod()
{
//some code
flag = true;
this.Close();
}
并更改原始方法如下
boolean flag = false;
var form = new ChildForm(flag);
form.ShowDialog();
if(form.flag)
{
//some code that depends on that flag be true
}
有关按值/引用传递变量的更多信息,请参阅https://docs.microsoft.com/en-us/dotnet/csharp/programming-guide/classes-and-structs/passing-value-type-parameters。
答案 1 :(得分:1)
它似乎在父表单中更改为true
这可能只是在调试器中查看它的副作用。它实际上并没有将其更改为true
。
如果您想阅读子表单中的值,您需要将其设为可访问。
父母表格:
var c = new ChildForm();
c.ShowDialog();
if (c.Flag)
{
//some code that depends on that flag be true
}
儿童表格:
public bool Flag { get; private set; }
public ChildForm()
{
InitializeComponent();
}
private SomeMethod()
{
//some code
Flag = true;
this.Close();
}
答案 2 :(得分:1)
你可以这样做:
public class ChildForm {
public ChildForm(bool flag) {
InitializeComponent();
this.Flag = flag;
}
private SomeMethod() {
//some code
this.Flag = true;
this.Close();
}
public bool Flag {get;}
}
public class ParentForm {
public void Foo() {
bool flag = false;
var child = new ChildForm(flag);
child.ShowDialog();
if(child.Flag) {
//some code that depends on that flag be true
}
}
}