Aleksa Ristic
Aleksa Ristic

Reputation: 2499

Pass method to new form's control

So i have 2 forms: Form1 and Form2

In Form1 i have this code:

pubilc class Form1 : Form
{
    public Form1()
    {
        InitializeComponent();
    }

    public void Button1_Click(object sender, EventArgs e)
    {
        Form2 newForm = new Form2(); //Here i want to pass MyFunction
    }

    public void MyFunction()
    {
        MessageBox.Show("This is passed function from " + this.Text);
    }
}

And in Form2 i have this:

public class Form2 : Form
{
    public Form2() //Here i want to receive Form1.MyFunction
    {
        InitializeComponent();
        this.Button1.Click += new System.EventHandler(passedFunction);
    }
}

In code above you can get my point. Having form with controls to which i would assign Eventhandlers with passed function while creating that form.

I haven't tried anything since i do not have idea how to pass method to form.

Upvotes: 0

Views: 210

Answers (1)

Enigmativity
Enigmativity

Reputation: 117185

Try this:

public class Form1 : Form
{
    public Form1()
    {
        InitializeComponent();
    }

    public void Button1_Click(object sender, EventArgs e)
    {
        Form2 newForm = new Form2(MyFunction); //Here i want to pass MyFunction
    }

    public void MyFunction(object sender, EventArgs e)
    {
        MessageBox.Show("This is passed function from " + this.Text);
    }
}

public class Form2 : Form
{
    public Form2(EventHandler passedFunction) //Here i want to receive Form1.MyFunction
    {
        InitializeComponent();
        this.Button1.Click += passedFunction;
    }
}

Upvotes: 3

Related Questions