从Vista 到Windows 7 这两款操作系统都带有应用程序恢复和重启(ARR)功能,利用这个特性可以在应用程序处于无响应甚至崩溃状态时,保存当前正在处理的数据,并将应用程序以及之前的数据恢复。本篇我们将利用Windows API Code Pack 来实现这一功能。

     首先,我们来创建一个简单的WPF程序。在应用程序加载时需要注册(Register)ARR,当应用程序关闭时也需要将ARR注销。

<Window x:Class="AppRestartRecovery.MainWindow"          xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"          xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"          Title="MainWindow" Height="350" Width="525">      <Grid>          <Button x:Name="crashBtn" Content="Application Crash"                   Margin="169,104,172,168" Click="crashBtn_Click"/>          <Button x:Name="closeBtn" Content="Close Application"                   Margin="169,189,172,83" Click="closeBtn_Click"/>      </Grid>  </Window>  

注册ARR

public MainWindow()  {      InitializeComponent();      RegisterForRestartRecovery();      ... ...  }

注销ARR

private void closeBtn_Click(object sender, RoutedEventArgs e)  {      UnRegisterRestartRecovery();      App.Current.Shutdown();  }

     在项目中加入Microsoft.WindowsAPICodePack.dll,并添加using Microsoft.WindowsAPICodePack.ApplicationServices; 命名空间。接下来我们开始编写RegisterForRestartRecovery 和UnRegisterRestartRecovery 方法。

     在RegisterForRestartRecovery 方法中要分别创建Restart 和Recovery 设置(Settings)。在RestartSettings 中可以设置命令行(“restart”),以及Restart 限制条件。在本例中如果应用程序崩溃是因为PC 重启或安装系统补丁则不会发生Restart 功能。最后要通过ApplicationRestartRecoveryManager 类将Restart 和Recovery 设置分别注册。

private void RegisterForRestartRecovery()  {      RestartSettings restartSettings = new RestartSettings("restart",           RestartRestrictions.NotOnReboot | RestartRestrictions.NotOnPatch);      ApplicationRestartRecoveryManager.RegisterForApplicationRestart(restartSettings);        RecoveryData data = new RecoveryData(new RecoveryCallback(PerformRecovery), null);      RecoverySettings recoverySettings = new RecoverySettings(data, 0);      ApplicationRestartRecoveryManager.RegisterForApplicationRecovery(recoverySettings);  }

注销方式使用UnregisterApplicationRestar和 UnregisterApplicationRecovery 两种方法即可。

private void UnRegisterRestartRecovery()  {      ApplicationRestartRecoveryManager.UnregisterApplicationRestart();      ApplicationRestartRecoveryManager.UnregisterApplicationRecovery();  }

     在应用程序恢复过程中还需要编写一个恢复过程,即RegisterForRestartRecovery 方法提到的PerformRecovery。首先可以通过ApplicationRecoveryInProgress 方法判断恢复过程是否在进行。如果恢复过程被用户取消了,则可以将应用程序进程杀掉,并通过ApplicationRecoveryFinished 方法设置恢复过程是否完成。

private int PerformRecovery(object state)  {      bool isCanceled = ApplicationRestartRecoveryManager.ApplicationRecoveryInProgress();      if (isCanceled)      {          ApplicationRestartRecoveryManager.ApplicationRecoveryFinished(false);      }        //recovery your work here ...        ApplicationRestartRecoveryManager.ApplicationRecoveryFinished(true);      return 0;  }

     至此,应用程序的恢复就完成了,大家可以下载代码进行测试。另,当程序启动后要等待60秒再点击“Application Crash” 按键。

××× AppRestartRecovery.zip