ChatGPT解决这个技术问题 Extra ChatGPT

创建单实例 WPF 应用程序的正确方法是什么?

在 .NET(而不是 Windows Forms 或控制台)下使用 C# 和 WPF,创建只能作为单个实例运行的应用程序的正确方法是什么?

我知道这与一些称为互斥锁的神话有关,我很少能找到有人愿意停下来解释其中一个是什么。

代码还需要通知已经运行的实例用户尝试启动第二个实例,并且可能还传递任何命令行参数(如果存在)。

当应用程序终止时,CLR 不会自动释放任何未释放的互斥锁吗?
@Cocowalla:终结器应该处理非托管互斥锁,除非它不知道互斥锁是由托管应用程序创建还是附加到现有应用程序。
只有一个应用程序实例是合理的。但是将参数传递给已经存在的应用程序在我看来有点愚蠢。我看不出有任何理由这样做。如果您将应用程序与文件扩展名相关联,您应该打开与用户想要打开文档一样多的应用程序。这是每个用户都期望的标准行为。
@Cocowalla CLR 不管理本机资源。但是,如果一个进程终止,所有句柄都会被系统(操作系统,而不是 CLR)释放。
我更喜欢@huseyint 的答案。它使用 Microsoft 自己的“SingleInstance.cs”类,因此您不必担心 Mutexes 和 IntPtrs。此外,不依赖于 VisualBasic (yuk)。有关更多信息,请参见 codereview.stackexchange.com/questions/20871/…...

S
StayOnTarget

这是关于 Mutex 解决方案的非常好的article。这篇文章描述的方法是有利的,原因有两个。

首先,它不需要依赖于 Microsoft.VisualBasic 程序集。如果我的项目已经依赖于该程序集,我可能会提倡使用方法 shown in another answer。但事实上,我不使用 Microsoft.VisualBasic 程序集,我宁愿不向我的项目添加不必要的依赖项。

其次,本文展示了当用户尝试启动另一个实例时如何将应用程序的现有实例带到前台。这是这里描述的其他 Mutex 解决方案没有解决的非常好的方法。

更新

截至 2014 年 8 月 1 日,我上面链接的文章仍然有效,但博客已经有一段时间没有更新了。这让我担心它最终可能会消失,随之而来的是提倡的解决方案。我在这里复制文章的内容以供后代使用。这些词仅属于 Sanity Free Coding 的博客所有者。

今天我想重构一些禁止我的应用程序运行多个自身实例的代码。以前我使用 System.Diagnostics.Process 在进程列表中搜索 myapp.exe 的实例。虽然这可行,但它会带来很多开销,我想要一些更清洁的东西。知道我可以为此使用互斥锁(但以前从未这样做过),我着手削减我的代码并简化我的生活。在我的应用程序主类中,我创建了一个名为 Mutex 的静态对象:

static class Program
{
    static Mutex mutex = new Mutex(true, "{8F6F0AC4-B9A1-45fd-A8CF-72F04E6BDE8F}");
    [STAThread]
    ...
}

拥有一个命名的互斥体允许我们在多个线程和进程之间进行堆栈同步,这正是我正在寻找的魔法。 Mutex.WaitOne 有一个重载,它指定我们等待的时间量。由于我们实际上并不想同步我们的代码(更多只是检查它是否正在使用),我们使用带有两个参数的重载:Mutex.WaitOne(Timespan timeout, bool exitContext)。如果可以进入,则等待一个返回 true,否则返回 false。在这种情况下,我们根本不想等待;如果我们的互斥锁正在被使用,跳过它,然后继续,所以我们传入 TimeSpan.Zero(等待 0 毫秒),并将 exitContext 设置为 true,这样我们就可以在尝试获取锁之前退出同步上下文。使用它,我们将 Application.Run 代码包装在如下内容中:

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

因此,如果我们的应用程序正在运行,WaitOne 将返回 false,并且我们将收到一个消息框。我没有显示消息框,而是选择使用一个小的 Win32 来通知我正在运行的实例有人忘记了它已经在运行(通过将其自身置于所有其他窗口的顶部)。为了实现这一点,我使用 PostMessage 向每个窗口广播一条自定义消息(自定义消息是由我正在运行的应用程序向 RegisterWindowMessage 注册的,这意味着只有我的应用程序知道它是什么)然后我的第二个实例退出。正在运行的应用程序实例将接收该通知并对其进行处理。为了做到这一点,我在主窗体中覆盖了 WndProc 并监听了我的自定义通知。当我收到该通知时,我将表单的 TopMost 属性设置为 true 以将其置于顶部。这是我最终得到的结果:Program.cs

static class Program
{
    static Mutex mutex = new Mutex(true, "{8F6F0AC4-B9A1-45fd-A8CF-72F04E6BDE8F}");
    [STAThread]
    static void Main() {
        if(mutex.WaitOne(TimeSpan.Zero, true)) {
            Application.EnableVisualStyles();
            Application.SetCompatibleTextRenderingDefault(false);
            Application.Run(new Form1());
            mutex.ReleaseMutex();
        } else {
            // send our Win32 message to make the currently running instance
            // jump on top of all the other windows
            NativeMethods.PostMessage(
                (IntPtr)NativeMethods.HWND_BROADCAST,
                NativeMethods.WM_SHOWME,
                IntPtr.Zero,
                IntPtr.Zero);
        }
    }
}

NativeMethods.cs

// this class just wraps some Win32 stuff that we're going to use
internal class NativeMethods
{
    public const int HWND_BROADCAST = 0xffff;
    public static readonly int WM_SHOWME = RegisterWindowMessage("WM_SHOWME");
    [DllImport("user32")]
    public static extern bool PostMessage(IntPtr hwnd, int msg, IntPtr wparam, IntPtr lparam);
    [DllImport("user32")]
    public static extern int RegisterWindowMessage(string message);
}

Form1.cs(正面部分)

public partial class Form1 : Form
{
    public Form1()
    {
        InitializeComponent();
    }
    protected override void WndProc(ref Message m)
    {
        if(m.Msg == NativeMethods.WM_SHOWME) {
            ShowMe();
        }
        base.WndProc(ref m);
    }
    private void ShowMe()
    {
        if(WindowState == FormWindowState.Minimized) {
            WindowState = FormWindowState.Normal;
        }
        // get our current "TopMost" value (ours will always be false though)
        bool top = TopMost;
        // make our form jump to the top of everything
        TopMost = true;
        // set it back to whatever it was
        TopMost = top;
    }
}

基于这个答案使用更少的代码和更少的库并提供提升到顶级功能,我将把它作为新的接受的答案。如果有人知道使用 API 将表单置于顶部的更正确方法,请随时添加。
@BlueRaja,您启动了第一个应用程序实例。当您启动第二个应用程序实例时,它会检测到另一个实例已在运行并准备关闭。在这样做之前,它会向第一个实例发送一个“SHOWME”本机消息,这会将第一个实例带到顶部。 .NET 中的事件不允许跨进程通信,这就是使用本机消息的原因。
有没有办法从另一个实例传递命令行,也许?
@Nam,Mutex 构造函数只需要一个字符串,因此您可以提供您想要的任何字符串名称,例如“This Is My Mutex”。因为“互斥体”是可供其他进程使用的系统对象,所以您通常希望名称是唯一的,这样它就不会与同一系统上的其他“互斥体”名称发生冲突。在文章中,看起来神秘的字符串是“Guid”。您可以通过调用 System.Guid.NewGuid() 以编程方式生成它。就本文而言,用户可能通过 Visual Studio 生成它,如下所示:msdn.microsoft.com/en-us/library/ms241442(VS.80).aspx
互斥锁方法是否假定同一用户正在尝试再次启动应用程序?当然,在“切换用户”之后将“应用程序的现有实例置于前台”是没有意义的
D
Dale Ragan

您可以使用 Mutex 类,但您很快就会发现您需要自己实现代码来传递参数等。好吧,当我阅读 Chris Sell's book 时,我在 WinForms 中编程时学到了一个技巧。这个技巧使用了我们在框架中已经可用的逻辑。我不了解你,但是当我了解可以在框架中重用的东西时,这通常是我采取的路线,而不是重新发明轮子。除非它当然不能满足我的所有需求。

当我进入 WPF 时,我想出了一种在 WPF 应用程序中使用相同代码的方法。该解决方案应根据您的问题满足您的需求。

首先,我们需要创建我们的应用程序类。在这个类中,我们将覆盖 OnStartup 事件并创建一个名为 Activate 的方法,稍后将使用该方法。

public class SingleInstanceApplication : System.Windows.Application
{
    protected override void OnStartup(System.Windows.StartupEventArgs e)
    {
        // Call the OnStartup event on our base class
        base.OnStartup(e);

        // Create our MainWindow and show it
        MainWindow window = new MainWindow();
        window.Show();
    }

    public void Activate()
    {
        // Reactivate the main window
        MainWindow.Activate();
    }
}

其次,我们需要创建一个可以管理我们的实例的类。在我们进行之前,我们实际上将重用 Microsoft.VisualBasic 程序集中的一些代码。因为,我在这个例子中使用了 C#,所以我必须引用程序集。如果您使用的是 VB.NET,则无需执行任何操作。我们将使用的类是 WindowsFormsApplicationBase 并从它继承我们的实例管理器,然后利用属性和事件来处理单个实例。

public class SingleInstanceManager : Microsoft.VisualBasic.ApplicationServices.WindowsFormsApplicationBase
{
    private SingleInstanceApplication _application;
    private System.Collections.ObjectModel.ReadOnlyCollection<string> _commandLine;

    public SingleInstanceManager()
    {
        IsSingleInstance = true;
    }

    protected override bool OnStartup(Microsoft.VisualBasic.ApplicationServices.StartupEventArgs eventArgs)
    {
        // First time _application is launched
        _commandLine = eventArgs.CommandLine;
        _application = new SingleInstanceApplication();
        _application.Run();
        return false;
    }

    protected override void OnStartupNextInstance(StartupNextInstanceEventArgs eventArgs)
    {
        // Subsequent launches
        base.OnStartupNextInstance(eventArgs);
        _commandLine = eventArgs.CommandLine;
        _application.Activate();
    }
}

基本上,我们使用 VB 位来检测单个实例并进行相应的处理。 OnStartup 将在第一个实例加载时触发。再次重新运行应用程序时会触发 OnStartupNextInstance。如您所见,我可以通过事件参数获取命令行上传递的内容。我将值设置为实例字段。您可以在此处解析命令行,也可以通过构造函数和对 Activate 方法的调用将其传递给您的应用程序。

第三,是时候创建我们的入口点了。我们将利用我们的 SingleInstanceManager,而不是像通常那样更新应用程序。

public class EntryPoint
{
    [STAThread]
    public static void Main(string[] args)
    {
        SingleInstanceManager manager = new SingleInstanceManager();
        manager.Run(args);
    }
}

好吧,我希望您能够遵循一切并能够使用此实现并使其成为您自己的。


我会坚持使用互斥锁解决方案,因为它与表单无关。
我使用它是因为我在使用其他方法时遇到了问题,但我相当确定它在后台使用了远程处理。我的应用程序有两个相关的问题 - 一些客户说它试图打电话回家,即使他们告诉它不要这样做。当他们仔细观察时,连接到 localhost。不过,他们最初并不知道这一点。另外,我不能将远程处理用于其他目的(我认为?),因为它已经被用于此目的。当我尝试互斥方法时,我可以再次使用远程处理。
请原谅我,但除非我遗漏了什么,否则您避免编写 3 行代码,而是重新使用框架来编写相当繁重的代码来完成它。那么储蓄在哪里呢?
有可能在winforms中做到吗?
如果您不对应用程序实例调用 InitializeComponent(),您将无法解析资源... _application = new SingleInstanceApplication(); _application.InitializeComponent(); _application.Run();
a
abatishchev

here

跨进程互斥锁的一个常见用途是确保一次只能运行程序的实例。这是如何完成的:

class OneAtATimePlease {

  // Use a name unique to the application (eg include your company URL)
  static Mutex mutex = new Mutex (false, "oreilly.com OneAtATimeDemo");

  static void Main()
  {
    // Wait 5 seconds if contended – in case another instance
    // of the program is in the process of shutting down.
    if (!mutex.WaitOne(TimeSpan.FromSeconds (5), false))
    {
        Console.WriteLine("Another instance of the app is running. Bye!");
        return;
    }

    try
    {    
        Console.WriteLine("Running - press Enter to exit");
        Console.ReadLine();
    }
    finally
    {
        mutex.ReleaseMutex();
    }    
  }    
}

Mutex 的一个很好的特性是,如果应用程序在没有首先调用 ReleaseMutex 的情况下终止,CLR 将自动释放 Mutex。


我不得不说,我比接受的答案更喜欢这个答案,仅仅是因为它不依赖于 WinForms。就我个人而言,我的大部分开发工作都转向了 WPF,我不想为了这样的事情而引入 WinForm 库。
当然,要获得完整的答案,您还必须描述将参数传递给另一个实例:)
@Jason,很好,谢谢!但我更喜欢不通过任何超时。它非常主观,取决于很多变量。如果您想要启动另一个应用程序,只需更快地释放您的互斥锁.. 例如,一旦用户确认关闭
@EricOuellet:几乎每个有标签的程序都这样做——Photoshop、Sublime Text、Chrome ......如果你有充分的理由拥有一个“主”进程(比如你有一个用于设置的进程内数据库)你可能希望让它显示 UI,就好像它也是一个新进程一样。
@Simon,你是对的。我只是问自己一个非常古老的事情...... MDI vs SDI(多文档界面与单文档界面)。当您谈论选项卡时,您指的是 MDI。 1998 年,微软的一本书建议消除所有 MDI 应用程序。 Microsoft 将 Word、Excel... 转换为 SDI,我认为它更简单、更好。我知道 Chrome 和其他人(现在是 IE)想要回到 MDI。我个人(基于什么/个人感觉)最好在选择文件关联时打开一个新应用程序。但我更好地理解了现在提出的问题。谢谢 !
C
Community

MSDN 实际上有一个适用于 C# 和 VB 的示例应用程序来执行此操作:http://msdn.microsoft.com/en-us/library/ms771662(v=VS.90).aspx

开发单实例检测的最常见和最可靠的技术是使用 Microsoft .NET Framework 远程处理基础结构 (System.Remoting)。 Microsoft .NET Framework(2.0 版)包括一个类型 WindowsFormsApplicationBase,它封装了所需的远程处理功能。若要将此类型合并到 WPF 应用程序中,需要从它派生一个类型,并将其用作应用程序静态入口点方法 Main 和 WPF 应用程序的 Application 类型之间的垫片。 shim 检测应用程序何时首次启动以及尝试后续启动的时间,并控制 WPF 应用程序类型以确定如何处理启动。

对于 C#,人们只需深吸一口气,然后忘记整个“我不想包含 VisualBasic DLL”。因为这个和 Scott Hanselman 所说的,以及这几乎是问题的最干净的解决方案,并且是由比你更了解框架的人设计的。

从可用性的角度来看,事实是如果您的用户正在加载应用程序并且它已经打开,并且您正在给他们一个错误消息,例如“应用程序的另一个实例正在运行。再见',那么他们不会是一个非常快乐的用户。您只需(在 GUI 应用程序中)切换到该应用程序并传入提供的参数 - 或者如果命令行参数没有意义,那么您必须弹出可能已最小化的应用程序。

该框架已经对此提供了支持——只是某个白痴将 DLL 命名为 Microsoft.VisualBasic,但它没有被放入 Microsoft.ApplicationUtils 或类似的东西中。克服它 - 或打开反射器。

提示:如果您完全按原样使用此方法,并且您已经拥有一个包含资源等的 App.xaml,那么您将需要 take a look at this too


感谢您提供“也看看这个”链接。这正是我所需要的。顺便说一句,链接中的解决方案#3 是最好的解决方案。
我还主张尽可能委派给框架和专门设计的库。
C
CharithJ

此代码应转到 main 方法。查看 here 以获取有关 WPF 中的 main 方法的更多信息。

[DllImport("user32.dll")]
private static extern Boolean ShowWindow(IntPtr hWnd, Int32 nCmdShow);

private const int SW_SHOWMAXIMIZED = 3;

static void Main() 
{
    Process currentProcess = Process.GetCurrentProcess();
    var runningProcess = (from process in Process.GetProcesses()
                          where
                            process.Id != currentProcess.Id &&
                            process.ProcessName.Equals(
                              currentProcess.ProcessName,
                              StringComparison.Ordinal)
                          select process).FirstOrDefault();
    if (runningProcess != null)
    {
        ShowWindow(runningProcess.MainWindowHandle, SW_SHOWMAXIMIZED);
       return; 
    }
}

方法二

static void Main()
{
    string procName = Process.GetCurrentProcess().ProcessName;
    // get the list of all processes by that name

    Process[] processes=Process.GetProcessesByName(procName);

    if (processes.Length > 1)
    {
        MessageBox.Show(procName + " already running");  
        return;
    } 
    else
    {
        // Application.Run(...);
    }
}

注意:以上方法假定您的流程/应用程序具有唯一名称。因为它使用进程名称来查找是否有任何现有处理器。因此,如果您的应用程序有一个非常常见的名称(即:记事本),上述方法将不起作用。


此外,如果您的计算机上正在运行任何其他同名程序,这将不起作用。 ProcessName 返回可执行文件名减去 exe。如果您创建了一个名为“记事本”的应用程序,并且 Windows 记事本正在运行,它会检测到您的应用程序正在运行。
感谢您的回答。我发现了很多类似的问题,而答案总是如此详尽和/或令人困惑,我发现它们毫无用处。这个(方法#1)简单明了,最重要的是它实际上帮助我使我的代码运行。
n
natenho

好吧,我有一个一次性的类,可以轻松地用于大多数用例:

像这样使用它:

static void Main()
{
    using (SingleInstanceMutex sim = new SingleInstanceMutex())
    {
        if (sim.IsOtherInstanceRunning)
        {
            Application.Exit();
        }

        // Initialize program here.
    }
}

这里是:

/// <summary>
/// Represents a <see cref="SingleInstanceMutex"/> class.
/// </summary>
public partial class SingleInstanceMutex : IDisposable
{
    #region Fields

    /// <summary>
    /// Indicator whether another instance of this application is running or not.
    /// </summary>
    private bool isNoOtherInstanceRunning;

    /// <summary>
    /// The <see cref="Mutex"/> used to ask for other instances of this application.
    /// </summary>
    private Mutex singleInstanceMutex = null;

    /// <summary>
    /// An indicator whether this object is beeing actively disposed or not.
    /// </summary>
    private bool disposed;

    #endregion

    #region Constructor

    /// <summary>
    /// Initializes a new instance of the <see cref="SingleInstanceMutex"/> class.
    /// </summary>
    public SingleInstanceMutex()
    {
        this.singleInstanceMutex = new Mutex(true, Assembly.GetCallingAssembly().FullName, out this.isNoOtherInstanceRunning);
    }

    #endregion

    #region Properties

    /// <summary>
    /// Gets an indicator whether another instance of the application is running or not.
    /// </summary>
    public bool IsOtherInstanceRunning
    {
        get
        {
            return !this.isNoOtherInstanceRunning;
        }
    }

    #endregion

    #region Methods

    /// <summary>
    /// Closes the <see cref="SingleInstanceMutex"/>.
    /// </summary>
    public void Close()
    {
        this.ThrowIfDisposed();
        this.singleInstanceMutex.Close();
    }

    public void Dispose()
    {
        this.Dispose(true);
        GC.SuppressFinalize(this);
    }

    private void Dispose(bool disposing)
    {
        if (!this.disposed)
        {
            /* Release unmanaged ressources */

            if (disposing)
            {
                /* Release managed ressources */
                this.Close();
            }

            this.disposed = true;
        }
    }

    /// <summary>
    /// Throws an exception if something is tried to be done with an already disposed object.
    /// </summary>
    /// <remarks>
    /// All public methods of the class must first call this.
    /// </remarks>
    public void ThrowIfDisposed()
    {
        if (this.disposed)
        {
            throw new ObjectDisposedException(this.GetType().Name);
        }
    }

    #endregion
}

这个很容易开始工作。在我更改 Application.Exit(); 之前它不会关闭第二个应用程序一个简单的回报;但除此之外,它很棒。虽然我承认我会仔细研究以前的解决方案,因为它使用了一个界面。 blogs.microsoft.co.il/blogs/arik/archive/2010/05/28/…
P
Peter Mortensen

WPF Single Instance Application 是一种使用 Mutex 和 IPC 的新方法,并且还将任何命令行参数传递给正在运行的实例。


我使用它取得了巨大的成功。如果您将 NamedPipes 与此结合,您还可以将命令行参数传递给原始应用程序。类“SingleInstance.cs”由 Microsoft 编写。我添加了另一个链接,指向 Arik Poznanski 在 CodeProject 上的博客的更易读版本。
链接现在已断开。
试试这个(同一日期,同一作者的名字,所以大概是同一篇文章):codeproject.com/articles/84270/wpf-single-instance-application
副本可以在这里找到。 gist.github.com/karthikeyan1241997/…
S
Simon Mourier

作为标记答案参考的代码 C# .NET Single Instance Application 是一个很好的开始。

但是,我发现它不能很好地处理已经存在的实例打开模式对话框的情况,无论该对话框是托管对话框(如另一个窗体,如关于框),还是非托管对话框(如OpenFileDialog 即使使用标准的 .NET 类)。使用原始代码,主窗体被激活,但模态窗体保持不活动状态,这看起来很奇怪,而且用户必须单击它才能继续使用该应用程序。

因此,我创建了一个 SingleInstance 实用程序类来为 Winforms 和 WPF 应用程序自动处理所有这些。

窗体:

1)像这样修改程序类:

static class Program
{
    public static readonly SingleInstance Singleton = new SingleInstance(typeof(Program).FullName);

    [STAThread]
    static void Main(string[] args)
    {
        // NOTE: if this always return false, close & restart Visual Studio
        // this is probably due to the vshost.exe thing
        Singleton.RunFirstInstance(() =>
        {
            SingleInstanceMain(args);
        });
    }

    public static void SingleInstanceMain(string[] args)
    {
        // standard code that was in Main now goes here
        Application.EnableVisualStyles();
        Application.SetCompatibleTextRenderingDefault(false);
        Application.Run(new Form1());
    }
}

2)像这样修改主窗口类:

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

    protected override void WndProc(ref Message m)
    {
        // if needed, the singleton will restore this window
        Program.Singleton.OnWndProc(this, m, true);

        // TODO: handle specific messages here if needed
        base.WndProc(ref m);
    }
}

WPF:

1)像这样修改 App 页面(并确保将其构建操作设置为 page 以便能够重新定义 Main 方法):

public partial class App : Application
{
    public static readonly SingleInstance Singleton = new SingleInstance(typeof(App).FullName);

    [STAThread]
    public static void Main(string[] args)
    {
        // NOTE: if this always return false, close & restart Visual Studio
        // this is probably due to the vshost.exe thing
        Singleton.RunFirstInstance(() =>
        {
            SingleInstanceMain(args);
        });
    }

    public static void SingleInstanceMain(string[] args)
    {
        // standard code that was in Main now goes here
        App app = new App();
        app.InitializeComponent();
        app.Run();
    }
}

2)像这样修改主窗口类:

public partial class MainWindow : Window
{
    private HwndSource _source;

    public MainWindow()
    {
        InitializeComponent();
    }

    protected override void OnSourceInitialized(EventArgs e)
    {
        base.OnSourceInitialized(e);
        _source = (HwndSource)PresentationSource.FromVisual(this);
        _source.AddHook(HwndSourceHook);
    }

    protected virtual IntPtr HwndSourceHook(IntPtr hwnd, int msg, IntPtr wParam, IntPtr lParam, ref bool handled)
    {
        // if needed, the singleton will restore this window
        App.Singleton.OnWndProc(hwnd, msg, wParam, lParam, true, true);

        // TODO: handle other specific message
        return IntPtr.Zero;
    }

这是实用程序类:

using System;
using System.ComponentModel;
using System.Runtime.InteropServices;
using System.Threading;

namespace SingleInstanceUtilities
{
    public sealed class SingleInstance
    {
        private const int HWND_BROADCAST = 0xFFFF;

        [DllImport("user32.dll")]
        private static extern bool PostMessage(IntPtr hwnd, int msg, IntPtr wparam, IntPtr lparam);

        [DllImport("user32.dll", CharSet = CharSet.Unicode)]
        private static extern int RegisterWindowMessage(string message);

        [DllImport("user32.dll")]
        private static extern bool SetForegroundWindow(IntPtr hWnd);

        public SingleInstance(string uniqueName)
        {
            if (uniqueName == null)
                throw new ArgumentNullException("uniqueName");

            Mutex = new Mutex(true, uniqueName);
            Message = RegisterWindowMessage("WM_" + uniqueName);
        }

        public Mutex Mutex { get; private set; }
        public int Message { get; private set; }

        public void RunFirstInstance(Action action)
        {
            RunFirstInstance(action, IntPtr.Zero, IntPtr.Zero);
        }

        // NOTE: if this always return false, close & restart Visual Studio
        // this is probably due to the vshost.exe thing
        public void RunFirstInstance(Action action, IntPtr wParam, IntPtr lParam)
        {
            if (action == null)
                throw new ArgumentNullException("action");

            if (WaitForMutext(wParam, lParam))
            {
                try
                {
                    action();
                }
                finally
                {
                    ReleaseMutex();
                }
            }
        }

        public static void ActivateWindow(IntPtr hwnd)
        {
            if (hwnd == IntPtr.Zero)
                return;

            FormUtilities.ActivateWindow(FormUtilities.GetModalWindow(hwnd));
        }

        public void OnWndProc(IntPtr hwnd, int m, IntPtr wParam, IntPtr lParam, bool restorePlacement, bool activate)
        {
            if (m == Message)
            {
                if (restorePlacement)
                {
                    WindowPlacement placement = WindowPlacement.GetPlacement(hwnd, false);
                    if (placement.IsValid && placement.IsMinimized)
                    {
                        const int SW_SHOWNORMAL = 1;
                        placement.ShowCmd = SW_SHOWNORMAL;
                        placement.SetPlacement(hwnd);
                    }
                }

                if (activate)
                {
                    SetForegroundWindow(hwnd);
                    FormUtilities.ActivateWindow(FormUtilities.GetModalWindow(hwnd));
                }
            }
        }

#if WINFORMS // define this for Winforms apps
        public void OnWndProc(System.Windows.Forms.Form form, int m, IntPtr wParam, IntPtr lParam, bool activate)
        {
            if (form == null)
                throw new ArgumentNullException("form");

            if (m == Message)
            {
                if (activate)
                {
                    if (form.WindowState == System.Windows.Forms.FormWindowState.Minimized)
                    {
                        form.WindowState = System.Windows.Forms.FormWindowState.Normal;
                    }

                    form.Activate();
                    FormUtilities.ActivateWindow(FormUtilities.GetModalWindow(form.Handle));
                }
            }
        }

        public void OnWndProc(System.Windows.Forms.Form form, System.Windows.Forms.Message m, bool activate)
        {
            if (form == null)
                throw new ArgumentNullException("form");

            OnWndProc(form, m.Msg, m.WParam, m.LParam, activate);
        }
#endif

        public void ReleaseMutex()
        {
            Mutex.ReleaseMutex();
        }

        public bool WaitForMutext(bool force, IntPtr wParam, IntPtr lParam)
        {
            bool b = PrivateWaitForMutext(force);
            if (!b)
            {
                PostMessage((IntPtr)HWND_BROADCAST, Message, wParam, lParam);
            }
            return b;
        }

        public bool WaitForMutext(IntPtr wParam, IntPtr lParam)
        {
            return WaitForMutext(false, wParam, lParam);
        }

        private bool PrivateWaitForMutext(bool force)
        {
            if (force)
                return true;

            try
            {
                return Mutex.WaitOne(TimeSpan.Zero, true);
            }
            catch (AbandonedMutexException)
            {
                return true;
            }
        }
    }

    // NOTE: don't add any field or public get/set property, as this must exactly map to Windows' WINDOWPLACEMENT structure
    [StructLayout(LayoutKind.Sequential)]
    public struct WindowPlacement
    {
        public int Length { get; set; }
        public int Flags { get; set; }
        public int ShowCmd { get; set; }
        public int MinPositionX { get; set; }
        public int MinPositionY { get; set; }
        public int MaxPositionX { get; set; }
        public int MaxPositionY { get; set; }
        public int NormalPositionLeft { get; set; }
        public int NormalPositionTop { get; set; }
        public int NormalPositionRight { get; set; }
        public int NormalPositionBottom { get; set; }

        [DllImport("user32.dll", SetLastError = true)]
        private static extern bool SetWindowPlacement(IntPtr hWnd, ref WindowPlacement lpwndpl);

        [DllImport("user32.dll", SetLastError = true)]
        private static extern bool GetWindowPlacement(IntPtr hWnd, ref WindowPlacement lpwndpl);

        private const int SW_SHOWMINIMIZED = 2;

        public bool IsMinimized
        {
            get
            {
                return ShowCmd == SW_SHOWMINIMIZED;
            }
        }

        public bool IsValid
        {
            get
            {
                return Length == Marshal.SizeOf(typeof(WindowPlacement));
            }
        }

        public void SetPlacement(IntPtr windowHandle)
        {
            SetWindowPlacement(windowHandle, ref this);
        }

        public static WindowPlacement GetPlacement(IntPtr windowHandle, bool throwOnError)
        {
            WindowPlacement placement = new WindowPlacement();
            if (windowHandle == IntPtr.Zero)
                return placement;

            placement.Length = Marshal.SizeOf(typeof(WindowPlacement));
            if (!GetWindowPlacement(windowHandle, ref placement))
            {
                if (throwOnError)
                    throw new Win32Exception(Marshal.GetLastWin32Error());

                return new WindowPlacement();
            }
            return placement;
        }
    }

    public static class FormUtilities
    {
        [DllImport("user32.dll")]
        private static extern IntPtr GetWindow(IntPtr hWnd, int uCmd);

        [DllImport("user32.dll", SetLastError = true)]
        private static extern IntPtr SetActiveWindow(IntPtr hWnd);

        [DllImport("user32.dll")]
        private static extern bool IsWindowVisible(IntPtr hWnd);

        [DllImport("kernel32.dll")]
        public static extern int GetCurrentThreadId();

        private delegate bool EnumChildrenCallback(IntPtr hwnd, IntPtr lParam);

        [DllImport("user32.dll")]
        private static extern bool EnumThreadWindows(int dwThreadId, EnumChildrenCallback lpEnumFunc, IntPtr lParam);

        private class ModalWindowUtil
        {
            private const int GW_OWNER = 4;
            private int _maxOwnershipLevel;
            private IntPtr _maxOwnershipHandle;

            private bool EnumChildren(IntPtr hwnd, IntPtr lParam)
            {
                int level = 1;
                if (IsWindowVisible(hwnd) && IsOwned(lParam, hwnd, ref level))
                {
                    if (level > _maxOwnershipLevel)
                    {
                        _maxOwnershipHandle = hwnd;
                        _maxOwnershipLevel = level;
                    }
                }
                return true;
            }

            private static bool IsOwned(IntPtr owner, IntPtr hwnd, ref int level)
            {
                IntPtr o = GetWindow(hwnd, GW_OWNER);
                if (o == IntPtr.Zero)
                    return false;

                if (o == owner)
                    return true;

                level++;
                return IsOwned(owner, o, ref level);
            }

            public static void ActivateWindow(IntPtr hwnd)
            {
                if (hwnd != IntPtr.Zero)
                {
                    SetActiveWindow(hwnd);
                }
            }

            public static IntPtr GetModalWindow(IntPtr owner)
            {
                ModalWindowUtil util = new ModalWindowUtil();
                EnumThreadWindows(GetCurrentThreadId(), util.EnumChildren, owner);
                return util._maxOwnershipHandle; // may be IntPtr.Zero
            }
        }

        public static void ActivateWindow(IntPtr hwnd)
        {
            ModalWindowUtil.ActivateWindow(hwnd);
        }

        public static IntPtr GetModalWindow(IntPtr owner)
        {
            return ModalWindowUtil.GetModalWindow(owner);
        }
    }
}

B
Bruce

只是一些想法:在某些情况下,要求只有一个应用程序实例不像某些人所相信的那样“蹩脚”。如果允许单个用户使用多个应用程序实例来访问数据库,那么数据库应用程序等会困难一个数量级(您知道,所有这些都会更新在用户的应用程序的多个实例中打开的所有记录)机等)。首先,对于“名称冲突的事情,不要使用人类可读的名称 - 使用 GUID 代替,或者更好的是 GUID + 人类可读的名称。名称冲突的可能性刚刚从雷达上消失,互斥体不在乎. 正如有人指出的那样,DOS 攻击会很糟糕,但如果恶意人员不辞辛劳地获取互斥锁名称并将其合并到他们的应用程序中,那么无论如何您几乎都是目标,并且必须做更多的事情来保护你自己而不只是摆弄一个互斥锁名称。此外,如果使用以下变体:new Mutex(true, "some GUID plus Name", out AIsFirstInstance),您已经有了关于互斥锁是否是第一个实例的指示符。


N
Nathan Moinvaziri

这是一个允许您拥有应用程序的单个实例的示例。当任何新实例加载时,它们会将其参数传递给正在运行的主实例。

public partial class App : Application
{
    private static Mutex SingleMutex;
    public static uint MessageId;

    private void Application_Startup(object sender, StartupEventArgs e)
    {
        IntPtr Result;
        IntPtr SendOk;
        Win32.COPYDATASTRUCT CopyData;
        string[] Args;
        IntPtr CopyDataMem;
        bool AllowMultipleInstances = false;

        Args = Environment.GetCommandLineArgs();

        // TODO: Replace {00000000-0000-0000-0000-000000000000} with your application's GUID
        MessageId   = Win32.RegisterWindowMessage("{00000000-0000-0000-0000-000000000000}");
        SingleMutex = new Mutex(false, "AppName");

        if ((AllowMultipleInstances) || (!AllowMultipleInstances && SingleMutex.WaitOne(1, true)))
        {
            new Main();
        }
        else if (Args.Length > 1)
        {
            foreach (Process Proc in Process.GetProcesses())
            {
                SendOk = Win32.SendMessageTimeout(Proc.MainWindowHandle, MessageId, IntPtr.Zero, IntPtr.Zero,
                    Win32.SendMessageTimeoutFlags.SMTO_BLOCK | Win32.SendMessageTimeoutFlags.SMTO_ABORTIFHUNG,
                    2000, out Result);

                if (SendOk == IntPtr.Zero)
                    continue;
                if ((uint)Result != MessageId)
                    continue;

                CopyDataMem = Marshal.AllocHGlobal(Marshal.SizeOf(typeof(Win32.COPYDATASTRUCT)));

                CopyData.dwData = IntPtr.Zero;
                CopyData.cbData = Args[1].Length*2;
                CopyData.lpData = Marshal.StringToHGlobalUni(Args[1]);

                Marshal.StructureToPtr(CopyData, CopyDataMem, false);

                Win32.SendMessageTimeout(Proc.MainWindowHandle, Win32.WM_COPYDATA, IntPtr.Zero, CopyDataMem,
                    Win32.SendMessageTimeoutFlags.SMTO_BLOCK | Win32.SendMessageTimeoutFlags.SMTO_ABORTIFHUNG,
                    5000, out Result);

                Marshal.FreeHGlobal(CopyData.lpData);
                Marshal.FreeHGlobal(CopyDataMem);
            }

            Shutdown(0);
        }
    }
}

public partial class Main : Window
{
    private void Window_Loaded(object sender, RoutedEventArgs e)
    {
        HwndSource Source;

        Source = HwndSource.FromHwnd(new WindowInteropHelper(this).Handle);
        Source.AddHook(new HwndSourceHook(Window_Proc));
    }

    private IntPtr Window_Proc(IntPtr hWnd, int Msg, IntPtr wParam, IntPtr lParam, ref bool Handled)
    {
        Win32.COPYDATASTRUCT CopyData;
        string Path;

        if (Msg == Win32.WM_COPYDATA)
        {
            CopyData = (Win32.COPYDATASTRUCT)Marshal.PtrToStructure(lParam, typeof(Win32.COPYDATASTRUCT));
            Path = Marshal.PtrToStringUni(CopyData.lpData, CopyData.cbData / 2);

            if (WindowState == WindowState.Minimized)
            {
                // Restore window from tray
            }

            // Do whatever we want with information

            Activate();
            Focus();
        }

        if (Msg == App.MessageId)
        {
            Handled = true;
            return new IntPtr(App.MessageId);
        }

        return IntPtr.Zero;
    }
}

public class Win32
{
    public const uint WM_COPYDATA = 0x004A;

    public struct COPYDATASTRUCT
    {
        public IntPtr dwData;
        public int    cbData;
        public IntPtr lpData;
    }

    [Flags]
    public enum SendMessageTimeoutFlags : uint
    {
        SMTO_NORMAL             = 0x0000,
        SMTO_BLOCK              = 0x0001,
        SMTO_ABORTIFHUNG        = 0x0002,
        SMTO_NOTIMEOUTIFNOTHUNG = 0x0008
    }

    [DllImport("user32.dll", SetLastError=true, CharSet=CharSet.Auto)]
    public static extern uint RegisterWindowMessage(string lpString);
    [DllImport("user32.dll")]
    public static extern IntPtr SendMessageTimeout(
        IntPtr hWnd, uint Msg, IntPtr wParam, IntPtr lParam,
        SendMessageTimeoutFlags fuFlags, uint uTimeout, out IntPtr lpdwResult);
}

这是我该做什么的一个很好的例子。内森,所有的参数都是用这种方法发送的吗?我的应用程序中有 7 个左右,我认为这段代码可以工作。
在我的示例中,仅发送第一个参数,但可以更改它以便发送所有参数。
P
Peter Mortensen

以下代码是我注册单实例应用程序的 WCF 命名管道解决方案。这很好,因为它还会在另一个实例尝试启动时引发一个事件,并接收另一个实例的命令行。

它面向 WPF,因为它使用 System.Windows.StartupEventHandler 类,但这很容易修改。

此代码需要引用 PresentationFrameworkSystem.ServiceModel

用法:

class Program
{
    static void Main()
    {
        var applicationId = new Guid("b54f7b0d-87f9-4df9-9686-4d8fd76066dc");

        if (SingleInstanceManager.VerifySingleInstance(applicationId))
        {
            SingleInstanceManager.OtherInstanceStarted += OnOtherInstanceStarted;

            // Start the application
        }
    }

    static void OnOtherInstanceStarted(object sender, StartupEventArgs e)
    {
        // Do something in response to another instance starting up.
    }
}

源代码:

/// <summary>
/// A class to use for single-instance applications.
/// </summary>
public static class SingleInstanceManager
{
  /// <summary>
  /// Raised when another instance attempts to start up.
  /// </summary>
  public static event StartupEventHandler OtherInstanceStarted;

  /// <summary>
  /// Checks to see if this instance is the first instance running on this machine.  If it is not, this method will
  /// send the main instance this instance's startup information.
  /// </summary>
  /// <param name="guid">The application's unique identifier.</param>
  /// <returns>True if this instance is the main instance.</returns>
  public static bool VerifySingleInstace(Guid guid)
  {
    if (!AttemptPublishService(guid))
    {
      NotifyMainInstance(guid);

      return false;
    }

    return true;
  }

  /// <summary>
  /// Attempts to publish the service.
  /// </summary>
  /// <param name="guid">The application's unique identifier.</param>
  /// <returns>True if the service was published successfully.</returns>
  private static bool AttemptPublishService(Guid guid)
  {
    try
    {
      ServiceHost serviceHost = new ServiceHost(typeof(SingleInstance));
      NetNamedPipeBinding binding = new NetNamedPipeBinding(NetNamedPipeSecurityMode.None);
      serviceHost.AddServiceEndpoint(typeof(ISingleInstance), binding, CreateAddress(guid));
      serviceHost.Open();

      return true;
    }
    catch
    {
      return false;
    }
  }

  /// <summary>
  /// Notifies the main instance that this instance is attempting to start up.
  /// </summary>
  /// <param name="guid">The application's unique identifier.</param>
  private static void NotifyMainInstance(Guid guid)
  {
    NetNamedPipeBinding binding = new NetNamedPipeBinding(NetNamedPipeSecurityMode.None);
    EndpointAddress remoteAddress = new EndpointAddress(CreateAddress(guid));
    using (ChannelFactory<ISingleInstance> factory = new ChannelFactory<ISingleInstance>(binding, remoteAddress))
    {
      ISingleInstance singleInstance = factory.CreateChannel();
      singleInstance.NotifyMainInstance(Environment.GetCommandLineArgs());
    }
  }

  /// <summary>
  /// Creates an address to publish/contact the service at based on a globally unique identifier.
  /// </summary>
  /// <param name="guid">The identifier for the application.</param>
  /// <returns>The address to publish/contact the service.</returns>
  private static string CreateAddress(Guid guid)
  {
    return string.Format(CultureInfo.CurrentCulture, "net.pipe://localhost/{0}", guid);
  }

  /// <summary>
  /// The interface that describes the single instance service.
  /// </summary>
  [ServiceContract]
  private interface ISingleInstance
  {
    /// <summary>
    /// Notifies the main instance that another instance of the application attempted to start.
    /// </summary>
    /// <param name="args">The other instance's command-line arguments.</param>
    [OperationContract]
    void NotifyMainInstance(string[] args);
  }

  /// <summary>
  /// The implementation of the single instance service interface.
  /// </summary>
  private class SingleInstance : ISingleInstance
  {
    /// <summary>
    /// Notifies the main instance that another instance of the application attempted to start.
    /// </summary>
    /// <param name="args">The other instance's command-line arguments.</param>
    public void NotifyMainInstance(string[] args)
    {
      if (OtherInstanceStarted != null)
      {
        Type type = typeof(StartupEventArgs);
        ConstructorInfo constructor = type.GetConstructor(BindingFlags.Instance | BindingFlags.NonPublic, null, Type.EmptyTypes, null);
        StartupEventArgs e = (StartupEventArgs)constructor.Invoke(null);
        FieldInfo argsField = type.GetField("_args", BindingFlags.Instance | BindingFlags.NonPublic);
        Debug.Assert(argsField != null);
        argsField.SetValue(e, args);

        OtherInstanceStarted(null, e);
      }
    }
  }
}

P
Peter

对于这样一个看似简单的问题,有这么多答案。在这里稍微改变一下是我对这个问题的解决方案。

创建 Mutex 可能会很麻烦,因为 JIT-er 只看到您在一小部分代码中使用它,并希望将其标记为准备好进行垃圾回收。它非常想超越您认为您不会长时间使用该互斥锁的智能。实际上,只要您的应用程序正在运行,您就想一直挂在这个 Mutex 上。告诉垃圾收集器不要打扰你 Mutex 的最好方法是告诉它在不同代的车库收集中保持它的活力。例子:

var m = new Mutex(...);
...
GC.KeepAlive(m);

我从这个页面提出了这个想法:http://www.ai.uga.edu/~mc/SingleInstance.html


在应用程序类中存储它的共享副本不是更容易吗?
P
Peter Mortensen

看起来有一个非常好的方法来处理这个:

WPF Single Instance Application

这提供了一个您可以添加的类,该类管理所有互斥锁和消息传递,以简化您的实现,使其变得微不足道。


当我尝试它时,这似乎并没有将现有窗口带到前台。
这个答案是那个答案的副本:stackoverflow.com/a/2932076/3220898 - 现在两个答案都没有用,因为链接已经失效。
P
Peter Mortensen

看下面的代码。它是防止 WPF 应用程序的多个实例的一个伟大而简单的解决方案。

private void Application_Startup(object sender, StartupEventArgs e)
{
    Process thisProc = Process.GetCurrentProcess();
    if (Process.GetProcessesByName(thisProc.ProcessName).Length > 1)
    {
        MessageBox.Show("Application running");
        Application.Current.Shutdown();
        return;
    }

    var wLogin = new LoginWindow();

    if (wLogin.ShowDialog() == true)
    {
        var wMain = new Main();
        wMain.WindowState = WindowState.Maximized;
        wMain.Show();
    }
    else
    {
        Application.Current.Shutdown();
    }
}

S
Sergey Aldoukhov

这是我使用的。它结合了进程枚举来执行切换和互斥锁以防止“活跃的点击者”:

public partial class App
{
    [DllImport("user32")]
    private static extern int OpenIcon(IntPtr hWnd);

    [DllImport("user32.dll")]
    private static extern bool SetForegroundWindow(IntPtr hWnd);

    protected override void OnStartup(StartupEventArgs e)
    {
        base.OnStartup(e);
        var p = Process
           .GetProcessesByName(Process.GetCurrentProcess().ProcessName);
            foreach (var t in p.Where(t => t.MainWindowHandle != IntPtr.Zero))
            {
                OpenIcon(t.MainWindowHandle);
                SetForegroundWindow(t.MainWindowHandle);
                Current.Shutdown();
                return;
            }

            // there is a chance the user tries to click on the icon repeatedly
            // and the process cannot be discovered yet
            bool createdNew;
            var mutex = new Mutex(true, "MyAwesomeApp", 
               out createdNew);  // must be a variable, though it is unused - 
            // we just need a bit of time until the process shows up
            if (!createdNew)
            {
                Current.Shutdown();
                return;
            }

            new Bootstrapper().Run();
        }
    }

这里的引导程序是什么?
M
Mikhail Semenov

我找到了更简单的解决方案,类似于 Dale Ragan 的解决方案,但稍作修改。它几乎可以完成您需要的一切,并且基于标准的 Microsoft WindowsFormsApplicationBase 类。

首先,您创建 SingleInstanceController 类,您可以在所有其他使用 Windows 窗体的单实例应用程序中使用该类:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Windows.Forms;
using Microsoft.VisualBasic.ApplicationServices;


namespace SingleInstanceController_NET
{
    public class SingleInstanceController
    : WindowsFormsApplicationBase
    {
        public delegate Form CreateMainForm();
        public delegate void StartNextInstanceDelegate(Form mainWindow);
        CreateMainForm formCreation;
        StartNextInstanceDelegate onStartNextInstance;
        public SingleInstanceController(CreateMainForm formCreation, StartNextInstanceDelegate onStartNextInstance)
        {
            // Set whether the application is single instance
            this.formCreation = formCreation;
            this.onStartNextInstance = onStartNextInstance;
            this.IsSingleInstance = true;

            this.StartupNextInstance += new StartupNextInstanceEventHandler(this_StartupNextInstance);                      
        }

        void this_StartupNextInstance(object sender, StartupNextInstanceEventArgs e)
        {
            if (onStartNextInstance != null)
            {
                onStartNextInstance(this.MainForm); // This code will be executed when the user tries to start the running program again,
                                                    // for example, by clicking on the exe file.
            }                                       // This code can determine how to re-activate the existing main window of the running application.
        }

        protected override void OnCreateMainForm()
        {
            // Instantiate your main application form
            this.MainForm = formCreation();
        }

        public void Run()
        {
            string[] commandLine = new string[0];
            base.Run(commandLine);
        }
    }
}

然后你可以在你的程序中使用它,如下所示:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Windows.Forms;
using SingleInstanceController_NET;

namespace SingleInstance
{
    static class Program
    {
        /// <summary>
        /// The main entry point for the application.
        /// </summary>
        static Form CreateForm()
        {
            return new Form1(); // Form1 is used for the main window.
        }

        static void OnStartNextInstance(Form mainWindow) // When the user tries to restart the application again,
                                                         // the main window is activated again.
        {
            mainWindow.WindowState = FormWindowState.Maximized;
        }
        [STAThread]
        static void Main()
        {
            Application.EnableVisualStyles();
            Application.SetCompatibleTextRenderingDefault(false);            
            SingleInstanceController controller = new SingleInstanceController(CreateForm, OnStartNextInstance);
            controller.Run();         
        }
    }
}

程序和 SingleInstanceController_NET 解决方案都应该引用 Microsoft.VisualBasic 。如果您只是想在用户尝试重新启动正在运行的程序时将正在运行的应用程序重新激活为普通窗口,则 SingleInstanceController 中的第二个参数可以为空。在给定的示例中,窗口被最大化。


P
Peter Mortensen

您永远不应该使用命名互斥锁来实现单实例应用程序(或至少不用于生产代码)。恶意代码很容易 DoS (Denial of Service) 你的屁股......


“你永远不应该使用命名互斥体”——永远不要说永远。如果恶意代码在我的机器上运行,我可能已经被水洗了。
实际上,它甚至不必是恶意代码。这可能只是一个意外的名称冲突。
更好的问题是你想要这种行为的可能原因是什么。不要将您的应用程序设计为单实例应用程序=)。我知道这是一个蹩脚的答案,但从设计的角度来看,它几乎总是正确的答案。如果不了解该应用程序的更多信息,很难说更多。
至少在 Windows 下,互斥锁具有访问控制功能,因此可以玩弄您的对象。至于命名冲突本身,这就是发明 UUID/GUID 的原因。
E
Eric Ouellet

2017 年 1 月 25 日更新。在尝试了几件事之后,我决定使用 VisualBasic.dll,它更容易并且效果更好(至少对我而言)。我让我之前的答案作为参考......

作为参考,这就是我在不传递参数的情况下所做的事情(我找不到任何这样做的理由......我的意思是一个应用程序,其参数可以从一个实例传递到另一个实例)。如果需要文件关联,则应(根据用户的标准期望)为每个文档实例化一个应用程序。如果您必须将参数传递给现有应用程序,我想我会使用 vb dll。

不传递 args(只是单实例应用程序),我不喜欢注册新的 Window 消息并且不覆盖 Matt Davis 解决方案中定义的消息循环。虽然添加一个 VisualBasic dll 没什么大不了的,但我宁愿不要添加一个新的引用只是为了做单实例应用程序。此外,我更喜欢使用 Main 实例化一个新类,而不是从 App.Startup 覆盖调用 Shutdown 以确保尽快退出。

希望任何人都会喜欢它......或者会激发一点:-)

项目启动类应设置为“SingleInstanceApp”。

public class SingleInstanceApp
{
    [STAThread]
    public static void Main(string[] args)
    {
        Mutex _mutexSingleInstance = new Mutex(true, "MonitorMeSingleInstance");

        if (_mutexSingleInstance.WaitOne(TimeSpan.Zero, true))
        {
            try
            {
                var app = new App();
                app.InitializeComponent();
                app.Run();

            }
            finally
            {
                _mutexSingleInstance.ReleaseMutex();
                _mutexSingleInstance.Close();
            }
        }
        else
        {
            MessageBox.Show("One instance is already running.");

            var processes = Process.GetProcessesByName(Assembly.GetEntryAssembly().GetName().Name);
            {
                if (processes.Length > 1)
                {
                    foreach (var process in processes)
                    {
                        if (process.Id != Process.GetCurrentProcess().Id)
                        {
                            WindowHelper.SetForegroundWindow(process.MainWindowHandle);
                        }
                    }
                }
            }
        }
    }
}

窗口助手:

using System;
using System.Runtime.InteropServices;
using System.Windows;
using System.Windows.Interop;
using System.Windows.Threading;

namespace HQ.Util.Unmanaged
{
    public class WindowHelper
    {
        [DllImport("user32.dll")]
        [return: MarshalAs(UnmanagedType.Bool)]
        public static extern bool SetForegroundWindow(IntPtr hWnd);

n
newbieguy

虽然不使用 Mutex,但简单的答案:

System.Diagnostics;    
...
string thisprocessname = Process.GetCurrentProcess().ProcessName;

if (Process.GetProcesses().Count(p => p.ProcessName == thisprocessname) > 1)
                return;

将其放在 Program.Main() 中。
示例

using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using System.Windows.Forms;
using System.Diagnostics;

namespace Sample
{
    static class Program
    {
        /// <summary>
        /// The main entry point for the application.
        /// </summary>
        [STAThread]
        static void Main()
        {
            //simple add Diagnostics namespace, and these 3 lines below 
            string thisprocessname = Process.GetCurrentProcess().ProcessName;
            if (Process.GetProcesses().Count(p => p.ProcessName == thisprocessname) > 1)
                return;

            Application.EnableVisualStyles();
            Application.SetCompatibleTextRenderingDefault(false);
            Application.Run(new Sample());
        }
    }
}

您可以将 MessageBox.Show 添加到 if 语句并输入“应用程序已在运行”。
这可能对某人有所帮助。


如果两个进程同时启动,它们可能都看到两个活动进程并自行终止。
@AT 是的,这对以管理员身份运行的应用程序也有帮助,否则
如果您制作应用程序的副本并重命名,则可以同时运行原始应用程序和副本。
A
A.T.

基于命名互斥锁的方法不是跨平台的,因为命名互斥锁在 Mono 中不是全局的。基于进程枚举的方法没有任何同步,可能会导致不正确的行为(例如,同时启动的多个进程可能都根据时间自行终止)。基于窗口系统的方法在控制台应用程序中是不可取的。该解决方案建立在 Divin 的回答之上,解决了所有这些问题:

using System;
using System.IO;

namespace TestCs
{
    public class Program
    {
        // The app id must be unique. Generate a new guid for your application. 
        public static string AppId = "01234567-89ab-cdef-0123-456789abcdef";

        // The stream is stored globally to ensure that it won't be disposed before the application terminates.
        public static FileStream UniqueInstanceStream;

        public static int Main(string[] args)
        {
            EnsureUniqueInstance();

            // Your code here.

            return 0;
        }

        private static void EnsureUniqueInstance()
        {
            // Note: If you want the check to be per-user, use Environment.SpecialFolder.ApplicationData instead.
            string lockDir = Path.Combine(
                Environment.GetFolderPath(Environment.SpecialFolder.CommonApplicationData),
                "UniqueInstanceApps");
            string lockPath = Path.Combine(lockDir, $"{AppId}.unique");

            Directory.CreateDirectory(lockDir);

            try
            {
                // Create the file with exclusive write access. If this fails, then another process is executing.
                UniqueInstanceStream = File.Open(lockPath, FileMode.Create, FileAccess.Write, FileShare.None);

                // Although only the line above should be sufficient, when debugging with a vshost on Visual Studio
                // (that acts as a proxy), the IO exception isn't passed to the application before a Write is executed.
                UniqueInstanceStream.Write(new byte[] { 0 }, 0, 1);
                UniqueInstanceStream.Flush();
            }
            catch
            {
                throw new Exception("Another instance of the application is already running.");
            }
        }
    }
}

L
Legends

[我在下面提供了控制台和 wpf 应用程序的示例代码。]

在创建命名的 Mutex 实例后,您只需检查 createdNew 变量的值(示例如下!)。

布尔值 createdNew 将返回 false:

如果已在系统某处创建名为“YourApplicationNameHere”的 Mutex 实例

布尔值 createdNew 将返回 true:

如果这是系统上第一个名为“YourApplicationNameHere”的互斥锁。

控制台应用程序 - 示例:

static Mutex m = null;

static void Main(string[] args)
{
    const string mutexName = "YourApplicationNameHere";
    bool createdNew = false;

    try
    {
        // Initializes a new instance of the Mutex class with a Boolean value that indicates 
        // whether the calling thread should have initial ownership of the mutex, a string that is the name of the mutex, 
        // and a Boolean value that, when the method returns, indicates whether the calling thread was granted initial ownership of the mutex.

        using (m = new Mutex(true, mutexName, out createdNew))
        {
            if (!createdNew)
            {
                Console.WriteLine("instance is alreday running... shutting down !!!");
                Console.Read();
                return; // Exit the application
            }

            // Run your windows forms app here
            Console.WriteLine("Single instance app is running!");
            Console.ReadLine();
        }


    }
    catch (Exception ex)
    {

        Console.WriteLine(ex.Message);
        Console.ReadLine();
    }
}

WPF-示例:

public partial class App : Application
{
static Mutex m = null;

protected override void OnStartup(StartupEventArgs e)
{

    const string mutexName = "YourApplicationNameHere";
    bool createdNew = false;

    try
    {
        // Initializes a new instance of the Mutex class with a Boolean value that indicates 
        // whether the calling thread should have initial ownership of the mutex, a string that is the name of the mutex, 
        // and a Boolean value that, when the method returns, indicates whether the calling thread was granted initial ownership of the mutex.

        m = new Mutex(true, mutexName, out createdNew);

        if (!createdNew)
        {
            Current.Shutdown(); // Exit the application
        }

    }
    catch (Exception)
    {
        throw;
    }

    base.OnStartup(e);
}


protected override void OnExit(ExitEventArgs e)
{
    if (m != null)
    {
        m.Dispose();
    }
    base.OnExit(e);
}
}

M
Martin Bech

我向 NativeMethods 类添加了一个 sendMessage 方法。

显然 postmessage 方法有效,如果应用程序没有显示在任务栏中,但是使用 sendmessage 方法可以解决这个问题。

class NativeMethods
{
    public const int HWND_BROADCAST = 0xffff;
    public static readonly int WM_SHOWME = RegisterWindowMessage("WM_SHOWME");
    [DllImport("user32")]
    public static extern bool PostMessage(IntPtr hwnd, int msg, IntPtr wparam, IntPtr lparam);
    [DllImport("user32.dll", CharSet = CharSet.Auto)]
    public static extern IntPtr SendMessage(IntPtr hWnd, int Msg, IntPtr wParam, IntPtr lParam);
    [DllImport("user32")]
    public static extern int RegisterWindowMessage(string message);
}

V
Vishnu Babu

我在我的解决方案中使用 Mutex 来防止多个实例。

static Mutex mutex = null;
//A string that is the name of the mutex
string mutexName = @"Global\test";
//Prevent Multiple Instances of Application
bool onlyInstance = false;
mutex = new Mutex(true, mutexName, out onlyInstance);

if (!onlyInstance)
{
  MessageBox.Show("You are already running this application in your system.", "Already Running..", MessageBoxButton.OK);
  Application.Current.Shutdown();
}

g
g t

我在这里找不到简短的解决方案,所以我希望有人会喜欢这个:

2018 年 9 月 20 日更新

将此代码放入您的 Program.cs

using System.Diagnostics;

static void Main()
{
    Process thisProcess = Process.GetCurrentProcess();
    Process[] allProcesses = Process.GetProcessesByName(thisProcess.ProcessName);
    if (allProcesses.Length > 1)
    {
        // Don't put a MessageBox in here because the user could spam this MessageBox.
        return;
    }

    // Optional code. If you don't want that someone runs your ".exe" with a different name:

    string exeName = AppDomain.CurrentDomain.FriendlyName;
    // in debug mode, don't forget that you don't use your normal .exe name.
    // Debug uses the .vshost.exe.
    if (exeName != "the name of your executable.exe") 
    {
        // You can add a MessageBox here if you want.
        // To point out to users that the name got changed and maybe what the name should be or something like that^^ 
        MessageBox.Show("The executable name should be \"the name of your executable.exe\"", 
            "Wrong executable name", MessageBoxButtons.OK, MessageBoxIcon.Error);
        return;
    }

    // Following code is default code:
    Application.EnableVisualStyles();
    Application.SetCompatibleTextRenderingDefault(false);
    Application.Run(new MainForm());
}

这将引入竞争条件。必须使用互斥锁。
无法保证如果您同时启动两个实例,这将起作用。就像从两个不同的线程更新一个变量一样。棘手的风险业务。使用武力,卢克:)
@georgiosd 啊,我明白你的意思了。就像有人启动 .exe 并更改名称一样。是的,这将是一种多次启动它的方法,但如果名称被更改,.exe 通常不起作用。我会更新我的答案^^谢谢Luke :D指出这一点:)
不仅仅是@Deniz。如果您非常快地启动两个进程,则进程列表或获取它们的方法有可能在仍然只出现一个时执行。这可能是一个与您无关的边缘案例,但这是一个普遍的问题......
@georgiosd你能证明吗?因为我只是为你测试了它,呵呵。但这对我来说是不可能的,甚至真的“非常快”! :P 所以我不明白为什么你相信一些事实并非如此,甚至不喜欢这个无辜的代码:D
C
Cornel Marian

使用互斥锁解决方案:

using System;
using System.Windows.Forms;
using System.Threading;

namespace OneAndOnlyOne
{
static class Program
{
    static String _mutexID = " // generate guid"
    /// <summary>
    /// The main entry point for the application.
    /// </summary>
    [STAThread]
    static void Main()
    {
        Application.EnableVisualStyles();
        Application.SetCompatibleTextRenderingDefault(false);

        Boolean _isNotRunning;
        using (Mutex _mutex = new Mutex(true, _mutexID, out _isNotRunning))
        {
            if (_isNotRunning)
            {
                Application.Run(new Form1());
            }
            else
            {
                MessageBox.Show("An instance is already running.");
                return;
            }
        }
    }
}
}

J
Jason Lim

这是我使用的一个轻量级解决方案,它允许应用程序将已经存在的窗口带到前台,而无需求助于自定义窗口消息或盲目搜索进程名称。

[DllImport("user32.dll")]
static extern bool SetForegroundWindow(IntPtr hWnd);

static readonly string guid = "<Application Guid>";

static void Main()
{
    Mutex mutex = null;
    if (!CreateMutex(out mutex))
        return;

    // Application startup code.

    Environment.SetEnvironmentVariable(guid, null, EnvironmentVariableTarget.User);
}

static bool CreateMutex(out Mutex mutex)
{
    bool createdNew = false;
    mutex = new Mutex(false, guid, out createdNew);

    if (createdNew)
    {
        Process process = Process.GetCurrentProcess();
        string value = process.Id.ToString();

        Environment.SetEnvironmentVariable(guid, value, EnvironmentVariableTarget.User);
    }
    else
    {
        string value = Environment.GetEnvironmentVariable(guid, EnvironmentVariableTarget.User);
        Process process = null;
        int processId = -1;

        if (int.TryParse(value, out processId))
            process = Process.GetProcessById(processId);

        if (process == null || !SetForegroundWindow(process.MainWindowHandle))
            MessageBox.Show("Unable to start application. An instance of this application is already running.");
    }

    return createdNew;
}

编辑:您还可以静态存储和初始化 mutex 和 createdNew,但是一旦完成,您需要显式处置/释放 mutex。就个人而言,我更喜欢将互斥锁保持在本地,因为即使应用程序在未到达 Main 末尾的情况下关闭,它也会自动处理掉。


S
Siarhei Kuchuk

这是通过 Event 实现的相同的东西。

public enum ApplicationSingleInstanceMode
{
    CurrentUserSession,
    AllSessionsOfCurrentUser,
    Pc
}

public class ApplicationSingleInstancePerUser: IDisposable
{
    private readonly EventWaitHandle _event;

    /// <summary>
    /// Shows if the current instance of ghost is the first
    /// </summary>
    public bool FirstInstance { get; private set; }

    /// <summary>
    /// Initializes 
    /// </summary>
    /// <param name="applicationName">The application name</param>
    /// <param name="mode">The single mode</param>
    public ApplicationSingleInstancePerUser(string applicationName, ApplicationSingleInstanceMode mode = ApplicationSingleInstanceMode.CurrentUserSession)
    {
        string name;
        if (mode == ApplicationSingleInstanceMode.CurrentUserSession)
            name = $"Local\\{applicationName}";
        else if (mode == ApplicationSingleInstanceMode.AllSessionsOfCurrentUser)
            name = $"Global\\{applicationName}{Environment.UserDomainName}";
        else
            name = $"Global\\{applicationName}";

        try
        {
            bool created;
            _event = new EventWaitHandle(false, EventResetMode.ManualReset, name, out created);
            FirstInstance = created;
        }
        catch
        {
        }
    }

    public void Dispose()
    {
        _event.Dispose();
    }
}

p
pStan

这就是我最终处理这个问题的方式。请注意,调试代码仍然在那里进行测试。此代码位于 App.xaml.cs 文件的 OnStartup 中。 (WPF)

        // Process already running ? 
        if (Process.GetProcessesByName(Process.GetCurrentProcess().ProcessName).Length > 1)
        {

            // Show your error message
            MessageBox.Show("xxx is already running.  \r\n\r\nIf the original process is hung up you may need to restart your computer, or kill the current xxx process using the task manager.", "xxx is already running!", MessageBoxButton.OK, MessageBoxImage.Exclamation);

            // This process 
            Process currentProcess = Process.GetCurrentProcess();

            // Get all processes running on the local computer.
            Process[] localAll = Process.GetProcessesByName(Process.GetCurrentProcess().ProcessName);

            // ID of this process... 
            int temp = currentProcess.Id;
            MessageBox.Show("This Process ID:  " + temp.ToString());

            for (int i = 0; i < localAll.Length; i++)
            {
                // Find the other process 
                if (localAll[i].Id != currentProcess.Id)
                {
                    MessageBox.Show("Original Process ID (Switching to):  " + localAll[i].Id.ToString());

                    // Switch to it... 
                    SetForegroundWindow(localAll[i].MainWindowHandle);

                }
            }

            Application.Current.Shutdown();

        }

这可能有我还没有发现的问题。如果我遇到任何我会更新我的答案。


A
A.J.Bauer

C# Winforms 的省时解决方案...

程序.cs:

using System;
using System.Windows.Forms;
// needs reference to Microsoft.VisualBasic
using Microsoft.VisualBasic.ApplicationServices;  

namespace YourNamespace
{
    public class SingleInstanceController : WindowsFormsApplicationBase
    {
        public SingleInstanceController()
        {
            this.IsSingleInstance = true;
        }

        protected override void OnStartupNextInstance(StartupNextInstanceEventArgs e)
        {
            e.BringToForeground = true;
            base.OnStartupNextInstance(e);
        }

        protected override void OnCreateMainForm()
        {
            this.MainForm = new Form1();
        }
    }

    static class Program
    {
        [STAThread]
        static void Main()
        {
            Application.EnableVisualStyles();
            Application.SetCompatibleTextRenderingDefault(false);
            string[] args = Environment.GetCommandLineArgs();
            SingleInstanceController controller = new SingleInstanceController();
            controller.Run(args);
        }
    }
}

A
Alexandru Dicu

请检查来自 here 的建议解决方案,该解决方案使用信号量来确定现有实例是否已经在运行,适用于 WPF 应用程序,并且可以使用 TcpListener 和 TcpClient 将参数从第二个实例传递到第一个已经运行的实例:

它也适用于 .NET Core,不仅适用于 .NET Framework。