How do I create 5 buttons and assign individual cl

2019-01-07 21:14发布

I need to create 5 buttons dynamically on windows form and each button should respond to click event. I tried it but all buttons are responding to same event.

4条回答
你好瞎i
2楼-- · 2019-01-07 21:55
button b =new button ();
b.text = " enter text";
b.click =+(then press Tab using key board)
查看更多
霸刀☆藐视天下
3楼-- · 2019-01-07 22:03

I assume you're in a loop and do something like this?

Button newButton = new Button();
newButton.Click += new EventHandler(newButton_Clicked);

You're registering the same method for all buttons. You'll need individual methods for each button. Alternatively, you can assign each button a different identifying property and in your handler, check to see which button was the sender.

From there you can take appropriate action.

查看更多
beautiful°
4楼-- · 2019-01-07 22:06

This is what Nick is talking about are your two options (You should be able to run this code and see both options):

  public Form1()
  {
     InitializeComponent();

     for (int i = 0; i < 5; i++)
     {
        Button button = new Button();
        button.Location = new Point(20, 30 * i + 10);
        switch (i)
        {
           case 0:
              button.Click += new EventHandler(ButtonClick);
              break;
           case 1:
              button.Click += new EventHandler(ButtonClick2);
              break;
           //...
        }
        this.Controls.Add(button);
     }

     for (int i = 0; i < 5; i++)
     {
        Button button = new Button();
        button.Location = new Point(160, 30 * i + 10);
        button.Click += new EventHandler(ButtonClickOneEvent);
        button.Tag = i;
        this.Controls.Add(button);
     }
  }

  void ButtonClick(object sender, EventArgs e)
  {
     // First Button Clicked
  }
  void ButtonClick2(object sender, EventArgs e)
  {
     // Second Button Clicked
  }

  void ButtonClickOneEvent(object sender, EventArgs e)
  {
     Button button = sender as Button;
     if (button != null)
     {
        // now you know the button that was clicked
        switch ((int)button.Tag)
        {
           case 0:
              // First Button Clicked
              break;
           case 1:
              // Second Button Clicked
              break;
           // ...
        }
     }
  }
查看更多
老娘就宠你
5楼-- · 2019-01-07 22:17

Guessing what you might have tried: Yes, all buttons fire their events to the same method, but the sender-parameter of your callback method contains a reference to the button that actually caused the specific event.

查看更多
登录 后发表回答