在事件发生时注册要调用的方法的方法

zai*_*aqi 3 c# winforms

我有一个包含20个PictureBox控件的Panel.如果用户点击任何控件,我希望调用Panel中的方法.

我该怎么做呢?

public class MyPanel : Panel
{
   public MyPanel()
   {
      for(int i = 0; i < 20; i++)
      {
         Controls.Add(new PictureBox());
      }
   }

   // DOESN'T WORK.
   // function to register functions to be called if the pictureboxes are clicked.
   public void RegisterFunction( <function pointer> func )
   {
        foreach ( Control c in Controls )
        {
             c.Click += new EventHandler( func );
        }
   }
}
Run Code Online (Sandbox Code Playgroud)

我该如何实施RegisterFunction()?此外,如果有很酷的C#功能可以使代码更优雅,请分享.

dtb*_*dtb 7

"函数指针"由C#中的委托类型表示.该Click事件需要一个类型的委托EventHandler.因此,您只需传递一个EventHandlerRegisterFunction方法并为每个Click事件注册它:

public void RegisterFunction(EventHandler func)
{
    foreach (Control c in Controls)
    {
         c.Click += func;
    }
}
Run Code Online (Sandbox Code Playgroud)

用法:

public MyPanel()
{
    for (int i = 0; i < 20; i++)
    {
        Controls.Add(new PictureBox());
    }

    RegisterFunction(MyHandler);
}
Run Code Online (Sandbox Code Playgroud)

请注意,这会将EventHandler委托添加到每个控件,而不仅仅是PictureBox控件(如果还有其他控件).更好的方法是在创建PictureBox控件时添加事件处理程序:

public MyPanel()
{
    for (int i = 0; i < 20; i++)
    {
        PictureBox p = new PictureBox();
        p.Click += MyHandler;
        Controls.Add(p);
    }
}
Run Code Online (Sandbox Code Playgroud)

EventHandler委托指向的方法如下所示:

private void MyHandler(object sender, EventArgs e)
{
    // this is called when one of the PictureBox controls is clicked
}
Run Code Online (Sandbox Code Playgroud)