在我们经常使用的软件中,当我们已经打开后,再次打开时,有的软件不会出现两个。例如有道词典,会将上次的界面显示出来,或者提示我们“该程序已经运行...”。我通过一个简单的C# WPF例子来说明。
首先我们要了解一下线程中的互斥体(Mutex),引用MSDN官方文档解释,这是一个同步基元,可以用于进程间同步。请参考下面的代码:
public App()
{
bool isNewInstance;
string appName = System.Reflection.Assembly.GetExecutingAssembly().GetName().Name;
Mutex mtx = new Mutex(true, appName, out isNewInstance); if (!isNewInstance)
{
MessageBox.Show("The app is running now.");
Application.Current.Shutdown();
}
}
这样就可以实现一个单实例程序。当该程序已经运行一次之后,再运行时会提示我们“The app is running now.”.
另一种情况是再运行该程序时,直接把刚才的程序显示出来(可能此时程序已经最小化到任务栏)。 实现思路:先找到当前的Process,然后调用ShowWindow方法,把隐藏或者最小化的窗体进行显示。请参考下面的代码:
[DllImport("user32.dll")]
private static extern bool ShowWindow(IntPtr hwnd, int nCmdShow); public App()
{
bool isNewInstance;
string appName = System.Reflection.Assembly.GetExecutingAssembly().GetName().Name;
Mutex mtx = new Mutex(true, appName, out isNewInstance); if (!isNewInstance)
{
Process[] myProcess = Process.GetProcessesByName(Path.GetFileNameWithoutExtension(appName));
if (null != myProcess.FirstOrDefault())
{
ShowWindow(myProcess.FirstOrDefault().MainWindowHandle, );
}
//MessageBox.Show("The app is running now.");
Application.Current.Shutdown();
}
}
此时当我们再次运行程序时,会将第一次运行的实例调出来进行显示。比现实“该程序已经运行...”和谐多了。
博客中代码可以点击这里下载。
第一次写博客,如果写得不好还望前辈们多多指正。如果博客中有错误的地方欢迎在评论中指出。感谢您的阅读。:)
Update:
今天开始写一个新的项目时,也是需要做成单个实例。同样的代码,但是却可以同时运行多个。开发环境Win10 Pro 64bit,但是整个人就凌乱了。后来查阅资料:
http://*.com/questions/19147/what-is-the-correct-way-to-create-a-single-instance-application
在项目根目录下新建一个Program类,并且将启动项目设置为Program类,代码如下:
class Program
{
[DllImport("user32.dll")]
private static extern bool ShowWindow(IntPtr hwnd, int nCmdShow); [STAThread]
static void Main()
{
bool isNewInstance;
string appName = System.Reflection.Assembly.GetExecutingAssembly().GetName().Name;
Mutex mtx = new Mutex(true, appName, out isNewInstance); if (!isNewInstance)
{
Process[] myProcess = Process.GetProcessesByName(System.IO.Path.GetFileNameWithoutExtension(appName));
if (null != myProcess.FirstOrDefault())
{
ShowWindow(myProcess.FirstOrDefault().MainWindowHandle, );
}
//MessageBox.Show("The app is running now.");
//Application.Current.Shutdown(); }
else
{
App app = new App();
app.Run(new MainWindow());
}
}
}
记得删除掉原来App中的后台代码。这样就可以完美的完成一个单实例应用程序。
感激您的阅读,代码点击这里下载。