在使用应用程序的过程中,经常要求应用程序只能运行一次。如果发现重复开启,应从系统进程列表中搜索到已经开启的进程,并将该进程窗口移到最前端显示。
记录一下过程。
实现过程
在 Program.cs 文件的 Program 类中声明两个外部调用函数
[DllImport("User32")]
private static extern bool SetForegroundWindow(IntPtr hWnd);
[DllImport("User32")]
private static extern bool ShowWindowAsync(IntPtr hWnd, int cmdShow);
两个外部调用 User32.dll
文件中的函数,其中SetForegroundWindow
主要用于将窗体移动到最前端显示,ShowWindowAsync
函数用于显示窗。
修改 main 函数内容
static void Main()
{
bool createdNew; //是否是第一次开启程序
Mutex mutex = new Mutex(false, "Single", out createdNew);
mutex.WaitOne();
//实例化一个进程互斥变量,标记名称Single
if (!createdNew) //如果多次开启了进程
{
Process currentProcess = Process.GetCurrentProcess();//获取当前进程
foreach (Process process in Process.GetProcessesByName(currentProcess.ProcessName))
{
//通过进程ID和程序路径获取一个已经开启的进程
if ((process.Id != currentProcess.Id) &&
(Assembly.GetExecutingAssembly().Location == process.MainModule.FileName))
{
//获取已经开启的进程的主窗体句柄
IntPtr mainFormHandle = process.MainWindowHandle;
if (mainFormHandle != IntPtr.Zero)
{
ShowWindowAsync(mainFormHandle, 1); //显示已经开启的进程窗口
SetForegroundWindow(mainFormHandle); //将已经开启的进程窗口移动到前端
}
}
}
//MessageBox.Show("进程已经开启");
return;
}
else
{
Application.EnableVisualStyles();
Application.SetCompatibleTextRenderingDefault(false);
Application.Run(new MainFrame());
mutex.ReleaseMutex(); //释放Mutex一次
}
}
Mutex
类,该类位于System.Threading
命名空间下,主要用于创建线程或进程的互斥变量。本实例创建了一个名为Single的互斥变量,在运行程序时,首先访问该互斥变量,看该变量是否已经被创建,如果已经被创建,说明已经有相同的进程正在运行。
标签:IntPtr,多开,程序,开启,互斥,Mutex,进程,mutex,Winform From: https://www.cnblogs.com/BoiledYakult/p/17148486.html关于 Mutex锁 :