How to start the application directly in system tray? (.NET C#)

后端 未结 3 495
终归单人心
终归单人心 2021-01-04 18:19

I mean when the user starts my application(exe). I want it to start directly in system tray, without showing the window. Like antivirus softwares & download managers, wh

相关标签:
3条回答
  • 2021-01-04 18:44

    Have you created a Windows Application in C#? You need to drag a NotifyIcon control onto the form, the control will be placed below the form because it has no visual representation on the form itself.

    Then you set its properties such as the Icon...

    Try this one first...

    0 讨论(0)
  • 2021-01-04 19:04

    You need to set up the notify icon as well.

    Either manually or via the toolbar (drag a notifyIcon onto your form) create the notifyIcon:

    this.notifyIcon = new System.Windows.Forms.NotifyIcon(components);
    

    Then add this code to Form_Load():

    // Notify icon set up
    notifyIcon.Visible = true;
    notifyIcon.Text = "Tooltip message here";
    this.ShowInTaskbar = false;
    this.Hide();
    

    Though this will, as has been pointed out, briefly show the form before hiding it.

    From the accepted answer of this question, the solution appears to be to change:

    Application.Run(new Form1());
    

    to:

    Form1 f = new Form1();
    Application.Run();        
    

    in Main().

    0 讨论(0)
  • 2021-01-04 19:05

    The way I usually setup something like this is to modify the Program.cs to look something like the following:

        [STAThread]
        static void Main()
        {
            Application.EnableVisualStyles();
            Application.SetCompatibleTextRenderingDefault(false);
    
            using (NotifyIcon icon = new NotifyIcon())
            {
                icon.Icon = System.Drawing.Icon.ExtractAssociatedIcon(Application.ExecutablePath);
                icon.ContextMenu = new ContextMenu(new MenuItem[] {
                    new MenuItem("Show form", (s, e) => {new Form1().Show();}),
                    new MenuItem("Exit", (s, e) => { Application.Exit(); }),
                });
                icon.Visible = true;
    
                Application.Run();
                icon.Visible = false;
            }
        }
    

    Using this, you don't need to worry about hiding instead of closing forms and all the rest of the hacks that can lead to... You can make a singleton form too instead of instantiating a new Form every time you click the show form option. This is something to build off of, not the end solution.

    0 讨论(0)
提交回复
热议问题