我创建了一个包含按钮的用户控件。 我在我的winform上使用这个控件,它将在从数据库中获取数据后在运行时加载。
现在我需要从该按钮的Click事件中的数据表中删除一行。
问题是如何在表单中捕获该事件。目前它是用户控件的btn点击事件定义。
答案 0 :(得分:21)
您可以通过在用户控件中执行以下操作来创建自己的委托事件:
public event UserControlClickHandler InnerButtonClick;
public delegate void UserControlClickHandler (object sender, EventArgs e);
您可以使用以下方法从处理程序中调用事件:
protected void YourButton_Click(object sender, EventArgs e)
{
if (this.InnerButtonClick != null)
{
this.InnerButtonClick(sender, e);
}
}
然后你可以使用
挂钩事件UserControl.InnerButtonClick+= // Etc.
答案 1 :(得分:6)
没有必要声明新的委托。在您的用户控件中:
public class MyControl : UserControl
{
public event EventHandler InnerButtonClick;
public MyControl()
{
InitializeComponent();
innerButton.Click += new EventHandler(innerButton_Click);
}
private void innerButton_Click(object sender, EventArgs e)
{
if (InnerButtonClick != null)
{
InnerButtonClick(this, e); // or possibly InnerButtonClick(innerButton, e); depending on what you want the sender to be
}
}
}
答案 2 :(得分:0)
只需对ChéDon的答案进行现代化处理,即可在2018年做到:
public class MyControl : UserControl
{
public event EventHandler InnerButtonClick;
public MyControl()
{
InitializeComponent();
innerButton.Click += innerButton_Click;
}
private void innerButton_Click(object sender, EventArgs e)
{
InnerButtonClick?.Invoke(this, e);
//or
InnerButtonClick?.Invoke(innerButton, e);
//depending on what you want the sender to be
}
}