我有一个属于UserControl的类:
public partial class MyView : System.Windows.Forms.UserControl
此界面具有用于用户输入的各种组件。要显示我遇到的问题,只需显示一个,所以 in MyView.Designer.cs
:
internal System.Windows.Forms.TextBox txtMyNumber;
开始时为空白。因此,用户在文本框中输入一个数字。
然后,用户单击右上角的X,它会调用 MyView.OnClose()
:
protected void OnClose()
{
string myNumber = txMyNumber.Text;
}
在这里,我想检查是否已输入任何数据。但是,txtMyNumber
不会显示用户输入的内容,仍为空白。因此,当用户单击X时,它就会出现,它不在Form上,并且不知道输入的值。
如何访问这些值?
protected override void Dispose(bool disposing)
{
if (disposing)
{
this.OnClose();
if (_presenter != null)
_presenter.Dispose();
if (components != null)
components.Dispose();
}
base.Dispose(disposing);
}
答案 0 :(得分:1)
我会尝试使用表单的FormClosing事件来检查UserControl状态。
在UserControl中,添加一个函数,如下所示:
public bool UserControlOK() {
return !string.IsNullOfEmpty(txMyNumber.Text);
}
然后在表单中,检查事件替代中的值:
protected override void OnFormClosing(FormClosingEventArgs e) {
if (!myView1.UserControlOK()) {
MessageBox.Show("TextBox is empty.");
e.Cancel = true;
}
base.OnFormClosing(e);
}
答案 1 :(得分:1)
另一种方法是订阅容器Form的 FormClosing
事件,并保存在父Form开始其 shutdown 过程时需要保存的内容。< br />
可以在用户控件的Load()
事件中订阅Form事件,因此您确定所有句柄都已创建:
private Form MyForm = null;
protected override void OnLoad(EventArgs e)
{
base.OnLoad(e);
this.MyForm = this.FindForm();
this.MyForm.FormClosing += this.OnFormClosing;
}
private void OnFormClosing(object sender, FormClosingEventArgs e)
{
Console.WriteLine("My Form is closing!");
string myNumber = txMyNumber.Text;
}
如果UC需要了解有关其形式的其他信息,则此方法更有用。
另一种非常相似的方法是订阅用户控件的 OnHandleDestroyed
事件。
protected override void OnHandleDestroyed(EventArgs e)
{
Console.WriteLine("I'm being destroyed!");
string myNumber = txMyNumber.Text;
base.OnHandleDestroyed(e);
}