Display multiple forms when C# application starts

Generally, the right way to have your application do something other than the default (open a form, wait for it to close, then exit) is to make a class that inherits from ApplicationContext. Then you pass an instance of your class to the Application.Run method. When the application should close, call ExitThread() from within your class.

In this case, you can create instances of the three forms when the application loads, and register a handler for their Closed events. When each form is closed, the handler will check if there are any other forms still open, and if not will close the application.

The example on MSDN is doing two things:

  1. opening multiple forms and exiting the application when they are all closed
  2. saving the last size and position of the form when each form is closed.

A simpler example, which closes the application only after all the forms are closed:

class MyApplicationContext : ApplicationContext {
    private void onFormClosed(object sender, EventArgs e) {
        if (Application.OpenForms.Count == 0) {
            ExitThread();
        }
    }

    public MyApplicationContext() {
        //If WinForms exposed a global event that fires whenever a new Form is created,
        //we could use that event to register for the form's `FormClosed` event.
        //Without such a global event, we have to register each Form when it is created
        //This means that any forms created outside of the ApplicationContext will not prevent the 
        //application close.

        var forms = new List<Form>() {
            new Form1(),
            new Form2(),
            new Form3()
        };
        foreach (var form in forms) {
            form.FormClosed += onFormClosed;
        }

        //to show all the forms on start
        //can be included in the previous foreach
        foreach (var form in forms) {
            form.Show();
        }

        //to show only the first form on start
        //forms[0].Show();
    }
}

Then, your Program class looks like this:

static class Program {
    [STAThread]
    static void Main() {
        Application.EnableVisualStyles();
        Application.SetCompatibleTextRenderingDefault(false);
        Application.Run(new MyApplicationContext());
    }
}

The application closing logic can obviously be customized – are any forms still open, or only one of these three types, or only the first three instances (that would require holding a reference to the first three instances, possibly in a List<Form>).

Re: global event for each form creation — this looks promising.

A similar example here.

Leave a Comment