2

我有一个通过单击“关闭”按钮最小化到系统托盘的应用程序,我想保存它的状态(位置、所有元素(组合框、文本框)及其值等)。

现在我写了这段代码,但它从托盘创建了一个新窗口(而不是用它的参数恢复旧窗口):

# app.xaml.cs:

this.ShutdownMode = ShutdownMode.OnExplicitShutdown;

// create a system tray icon
var ni = new System.Windows.Forms.NotifyIcon();
ni.Visible = true;
ni.Icon = QuickTranslator.Properties.Resources.MainIcon;

ni.DoubleClick +=
  delegate(object sender, EventArgs args)
  {
    var wnd = new MainWindow();
    wnd.Visibility = Visibility.Visible;
  };

// set the context menu
ni.ContextMenu = new System.Windows.Forms.ContextMenu(new[]
{
    new System.Windows.Forms.MenuItem("About", delegate
    {
      var uri = new Uri("AboutWindow.xaml", UriKind.Relative);
      var wnd = Application.LoadComponent(uri) as Window;
      wnd.Visibility = Visibility.Visible;
    }),

    new System.Windows.Forms.MenuItem("Exit", delegate
      {
        ni.Visible = false;
        this.Shutdown();
      })

});

如何针对我的问题修改此代码?

4

1 回答 1

1

当您持有对“MainWindow”的引用时,您可以在关闭它后再次简单地调用 Show()。关闭窗口只会隐藏它,再次调用 Show 将恢复它。

private Window m_MainWindow;

ni.DoubleClick +=
  delegate(object sender, EventArgs args)
  {
    if(m_MainWindow == null)
        m_MainWindow = new MainWindow();

    m_MainWindow.Show();
  };

如果您确定 MainWidnow 是您的应用程序主窗口,那么您也可以使用它:

ni.DoubleClick +=
  delegate(object sender, EventArgs args)
  {
    Application.MainWindow.Show();
  };

我更喜欢第一个变体,因为它是明确的。

于 2013-04-30T13:53:07.520 回答