我在 C# 中有以下 Windows 表单程序:
窗体 1 上有一个列表框和按钮。按下按钮时,它将显示 Form2,上面有一个文本框和按钮。 当按下窗体 2 上的按钮时,它会将文本放入窗体 1 上的列表框中。下面是每个表单的代码,然后是我正在使用的类。 任何建议都会很棒。
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
}
private void button1_Click(object sender, EventArgs e)
{
Form2 frm2 = new Form2();
frm2.NewTextChanged += new EventHandler<CustomEvent>(form2_NewTextChanged);
frm2.ShowDialog();
// Unsubscribe from event
frm2.NewTextChanged -= form2_NewTextChanged;
frm2.Dispose();
frm2 = null;
}
private void form2_NewTextChanged(object sender, CustomEvent e)
{
//Text = e.Text;
lbItem.Items.Add(e.Text);
}
}
public partial class Form2 : Form
{
public event EventHandler<CustomEvent> NewTextChanged;
private string newText;
public Form2()
{
InitializeComponent();
}
public string NewText
{
get { return newText; }
set
{
if (newText != value)
{
newText = value;
OnNewTextChanged(new CustomEvent(newText));
}
}
}
protected virtual void OnNewTextChanged(CustomEvent e)
{
EventHandler<CustomEvent> eh = NewTextChanged;
if (eh != null)
eh(this, e);
}
private void btnSendToForm1_Click(object sender, EventArgs e)
{
newText = textBox1.Text;
}
}
public class CustomEvent : EventArgs
{
private string text;
public CustomEvent(string text)
{
this.text = text;
}
public string Text
{
get { return text; }
}
}
我想使用自定义处理程序。 有什么建议吗?
Form2 中的自定义事件的示例:
public partial class Form2 : Form
{
public delegate void NewText(string item);
public event NewText NewTextChanged;
public Form2()
{
InitializeComponent();
}
private void button1_Click(object sender, EventArgs e)
{
if (NewTextChanged != null)
{
NewTextChanged(textBox1.Text);
}
}
}
。以下是 Form1 订阅该事件的方式:
private void button1_Click(object sender, EventArgs e)
{
Form2 frm2 = new Form2();
frm2.NewTextChanged += Frm2_NewTextChanged;
frm2.Show();
}
private void Frm2_NewTextChanged(string item)
{
lbItem.Items.Add(item);
}
Form1 代码,只是具有显示和隐藏的普通形式
private void button1_Click(object sender, EventArgs e)
{
Form2 f = new Form2();
f.ShowDialog();
listBox1.Items.Add(f.test);
}
表单 2 代码创建一个 Form1 可以读取的公共变量
namespace WindowsFormsApplication1
{
public partial class Form2 : Form
{
public string test;
public Form2()
{
InitializeComponent();
}
private void button1_Click(object sender, EventArgs e)
{
test = textBox1.Text;
this.Hide();
}
}
}
使用事件在表单之间传输数据的好方法。
您的代码看起来正常。它有一个问题,因此它可以正常运行,但 Form2 的事件不会触发。
在Form2
按钮的点击事件中,您需要设置属性的值NewText
而不是字段newText
。因此,如果您更改btnSendToForm1_Click
如下,则应该可以正常工作。
private void btnSendToForm1_Click(object sender, EventArgs e)
{
this.NewText = textBox1.Text;
}