Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How can I check if my program is already running? [duplicate]

Tags:

c#

.net

winforms

I tried to do it this way:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Windows.Forms;
using System.Diagnostics;
using DannyGeneral;

namespace mws
{
    static class Program
    {
        /// <summary>
        /// The main entry point for the application.
        /// </summary>
        [STAThread]
        static void Main()
        {
            try
            {
                if (IsApplicationAlreadyRunning() == true)
                {
                    MessageBox.Show("The application is already running");
                }
                else
                {
                    Application.EnableVisualStyles();
                    Application.SetCompatibleTextRenderingDefault(false);
                    Application.Run(new Form1());
                }
            }
            catch (Exception err)
            {
                Logger.Write("error " + err.ToString());
            }
        }
        static bool IsApplicationAlreadyRunning()
        {
            string proc = Process.GetCurrentProcess().ProcessName;
            Process[] processes = Process.GetProcessesByName(proc);
            if (processes.Length > 1)
            {
                return true;
            }
            else
            {
                return false;
            }
        }
    }
}

But I'm getting some problems.

First, when I'm loading my project in Visual Studio and then running my program it's detecting the vshost.exe file of my project for example: My project.vshost

And I want that it will detect if my program is running only when I'm running the program only if it find the .exe for example: My project.exe not the vshost.

like image 332
Helem Shoshi Avatar asked Feb 02 '15 10:02

Helem Shoshi


1 Answers

Have a look at using a mutex.

static class Program {
    static Mutex mutex = new Mutex(true, "{8F6F0AC4-B9A1-45fd-A8CF-72F04E6BDE8F}");
    [STAThread]
    static void Main() {
        if(mutex.WaitOne(TimeSpan.Zero, true)) {
            try
            {
             Application.EnableVisualStyles();
             Application.SetCompatibleTextRenderingDefault(false);
             Application.Run(new Form1());
            }
            finally
            {
             mutex.ReleaseMutex();
            }
        } else {
            MessageBox.Show("only one instance at a time");
        }
    }
}

If our app is running, WaitOne will return false, and you'll get a message box.

As @Damien_The_Unbeliever pointed out correctly, you should change the Guid of the mutex for each application you write!

Source: http://sanity-free.org/143/csharp_dotnet_single_instance_application.html

like image 89
flayn Avatar answered Sep 20 '22 13:09

flayn