我试图在一个类中添加一个事件处理程序,该事件处理程序引用在该类中实例化的窗体控件的事件。所有类都存在于同一名称空间中。

该程序基于ApplicationContext表单应用程序。在static void Main()中的Program.cs

CustomApplicationContext applicationContext = new CustomApplicationContext();
Application.Run(applicationContext);


public class CustomApplicationContext

public class CustomApplicationContext : ApplicationContext
{
    //create the application form
    Form appForm;

    public CustomApplicationContext()
    {
        InitializeContext();

        //create instance of appForm
        appForm = new AppForm();

        //subscribe event handler to form closing event
        appForm.FormClosing += form_FormClosing; //this works fine

        //subscribe event handler to form control click event
        appForm.someToolStripMenuItem.Click += form_Click; //doesn't compile

        //can't even find appForm.someToolStripmenuItem in code completion!
    }

    void form_FormClosing(object sender, FormClosingEventArgs e)
    {
        ...
    }

    void form_Click(object sender, EventArgs e)
    {
        ...
    }

    ...
}


在设计器生成的public partial class AppForm中的AppForm.Designer.cs中,我制作了控制修饰符public,并且制作了类public

public partial class AppForm  //note that I made this public
{
    ...

    this.someToolStripMenuItem = new System.Windows.Forms.ToolStripMenuItem();

    ...

    //
    // someToolStripMenuItem
    //
    this.someToolStripMenuItem.Name = "someToolStripMenuItem";
    this.someToolStripMenuItem.Size = new System.Drawing.Size(178, 22);
    this.someToolStripMenuItem.Text = "Some Item";

    ...

    public System.Windows.Forms.ToolStripMenuItem someToolStripMenuItem;
}


我到底在做什么错?当我键入appForm.时,someToolStripMenuItem甚至都不会出现在代码完成框中,就像在上下文中不可访问一样-但是appForm是可访问的,而someToolStripMenuItempublic

最佳答案

由于您声明的方式,编译器认为appFormForm而不是AppForm

Form appForm;


尝试将声明更改为AppForm appForm;或将其强制转换为:

((AppForm)appForm).someToolStripMenuItem.Click += form_Click;

09-12 18:38