Jack Morton
Jack Morton

Reputation: 199

creat eventHandler for label array element

I was wondering how am I supposed to assign an eventHandler for each array element in my label array. I understand that it's not possible to create a method for each of eventHandlers, so what could be the solution? Thank you!

for(int i = 0, i < 10; i++)
{
    lbs[i] = new Label();
    lbs[i].Location = new System.Drawing.Point(76 + f, 164);
    lbs[i].Size = new System.Drawing.Size(49, 17);
    //able to perform this, but wont able to create a method for this
    lbs[i].Click += new System.EventHandler(lbs[i]_Click);
}

//can't do this, what is alternative?
public void lbs[i]_Click(object sender, EventArgs e)
{

}

Upvotes: 2

Views: 1489

Answers (1)

Nasreddine
Nasreddine

Reputation: 37838

Your function name is invalid (you can't have [] in a function name) try changing lbs[i]_Click to lbs_Click.

for(int i = 0; i < 10; i++)
{
    lbs[i] = new Label();
    lbs[i].Location = new System.Drawing.Point(76 + f, 164);
    lbs[i].Size = new System.Drawing.Size(49, 17);
    lbs[i].Name = "label" + i;

    //able to perform this, but wont able to create a method for this
    lbs[i].Click += new System.EventHandler(lbsi_Click);
}

public void lbsi_Click(object sender, EventArgs e)
{
    var label = sender as Label;
    if(label != null && label.Name == "label1"){
        //event was raised from label1
    }
}

Upvotes: 3

Related Questions