我正在用C#编写一个WinForm应用程序。有一个Form A
在单击Button
时打开Form C
。现在,我想在打开Form C
之前添加一个密码输入屏幕Form B
。只有输入的密码正确,Form C
才会打开,否则会显示错误消息。Form B
只有一个TextBox
控件和一个VerifyButton
控件。
/*Form A*/
FormB fb;
private void BtnClick(object sender, EventArgs e) {
DialogResult result;
//fb can open once at a time
if(fb == null){
fb = new FormB();
fb.FormClosed += new FormClosedEventHandler(FormB_FormClosed);
//This seems to be not working
result = fb.ShowDialog();
}
else //FormB already open. Do nothing
return;
//Only if password entered is correct, proceed
if(result == DialogResult.Yes){ //result == cancel
//Code to open Form C //Program never reaches here
}
}
//Upon closing FormB, reset it to null
private void FormB_FormClosed(object sender, FormClosedEventArgs e){
if(fb != null)
fb = null;
}
/* Form B */
private const string password = "xxxyyyzzz";
private void BtnPW_Click(object sender, EventArgs e){
bool result = Verify();
if(result){
BtnPW.DialogResult = DialogResult.Yes;
}
else{
MessageBox.Show("Error: Incorrect password");
BtnPW.DialogResult = DialogResult.No;
}
this.Close(); //Added
}
private bool Verify(){
if(TxtBox.Text == password)
return true;
else
return false;
}
有人能告诉我这个代码出了什么问题吗?它从未到达Form A
中的第二个if
语句。
编辑:即使我输入了正确的密码并点击Form B
上的按钮,Form A
中的result
也会得到"DialogResult.Cancel`.
如果调用Form.Close方法,则该表单的DialogResult属性将设置为DialogResult.Cancel,即使已将其设置为其他值。要隐藏以模式打开的窗体,只需将窗体的DialogResult属性设置为除DialogResult.None.之外的任何属性即可
说您的代码似乎不是通常用于处理模态对话框的代码
ShowDialog正在阻止您的代码,在被调用的窗体关闭或隐藏之前,您不会退出此调用,因此您不需要保留FormB的全局变量,也不需要在FormA中处理FormB的FormClosed事件处理程序。
private void BtnClick(object sender, EventArgs e)
{
using(FormB fb = new FormB())
{
// Here the code returns only when the fb instance is hidden
result = fb.ShowDialog();
if(result == DialogResult.Yes)
{
//open Form C
}
}
}
现在,您应该删除对Form的调用。在FormB代码中关闭并直接设置FormB的DialogResult属性,此时不要尝试更改按钮的DialogResult属性,这将不起作用,您需要再次单击以隐藏表单,而是直接设置表单的DialogResults属性。
private const string password = "xxxyyyzzz";
private void BtnPW_Click(object sender, EventArgs e)
{
if(Verify())
this.DialogResult = DialogResult.Yes;
else
{
MessageBox.Show("Error: Incorrect password");
this.DialogResult = DialogResult.No;
}
}
通过这种方式,表单被隐藏(而不是关闭),并且您的代码从FormA中的ShowDialog调用中退出。在using块中,您仍然可以使用FormB实例读取其属性并采用适当的路径。当您的代码从using块中退出时,fb实例将自动关闭并被丢弃。