如何移动wpf应用程序到最小化托盘窗口启动C#

本文关键字:最小化 窗口 启动 应用程序 何移动 移动 wpf | 更新日期: 2023-09-27 18:27:40

我已经使用Windows安装程序创建了应用程序的安装程序。

现在我想在Windows启动时启动应用程序,并将其移动到系统最小化托盘,因为我不想在Windows开机时显示GUI(视图)。

我在谷歌上搜索过,发现使用了注册表项,但这对我来说还不够,因为我还想转移到系统最小化托盘和应用程序运行。

我这样做的目的是,用户每次启动系统时,当应用程序启动时,不会感到烦人。

有人能回答吗?谢谢

如何移动wpf应用程序到最小化托盘窗口启动C#

在应用程序中,为FrameworkElement.Loaded事件添加一个事件处理程序。在该处理程序中,添加以下代码:

WindowState = WindowState.Minimized;

这将使应用程序在启动时最小化。

若要在计算机启动时启动应用程序,您需要将程序添加到Windows计划程序中,并将其设置为在启动时运行。您可以在MSDN上的"安排任务"页面上找到更多信息。

您还必须设置此属性才能将其从任务栏中删除

ShowInTaskbar= false;

也许这个答案已经晚了,但我仍然想把它写下来,以帮助那些还没有找到解决方案的人。

首先,你需要添加一个功能,当你的应用程序在系统启动时自动启动时,将其最小化。

  1. 在App.xaml文件中,将原始StartupUri=...更改为Startup="App_Startup",如下所示App_Startup是您的函数名称,可以更改
<Application x:Class="Yours.App"
    xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
    xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
    Startup="App_Startup">
  1. 在App.xaml.cs文件中。添加以下功能:
public partial class App : Application
{    
    private void App_Startup(object sender, StartupEventArgs e)
    {
        // Process command line args
        var isAutoStart = false;
        for (int i = 0; i != e.Args.Length; ++i)
        {
            if (e.Args[i] == "/AutoStart")
            {
                isAutoStart = true;
            }
        }
        // Create main application window, starting minimized if specified
        MainWindow mainWindow = new MainWindow();
        if (isAutoStart)
        {
            mainWindow.WindowState = WindowState.Minimized;
        }
        mainWindow.OnAutoStart();
    }
}
  1. 在MainWindow.xaml.cs中,添加一个函数,如下所示:
public void OnAutoStart()
{
    if (WindowState == WindowState.Minimized)
    {
        //Must have this line to prevent the window start locatioon not being in center.
        WindowState = WindowState.Normal;
        Hide();
        //Show your tray icon code below
    }
    else
    {
        Show();
    }
}

然后你应该将你的应用程序自动启动设置为系统启动。

  1. 现在,如果你有一个开关来决定你的应用程序是否在系统启动时自动启动,你可以添加下面的功能作为你的开关状态更改事件功能
private void SwitchAutoStart_OnToggled(object sender, RoutedEventArgs e)
{
    const string path = @"SOFTWARE'Microsoft'Windows'CurrentVersion'Run";
    var key = Registry.CurrentUser.OpenSubKey(path, true);
    if (key == null) return;
    if (SwitchAutoStart.IsOn)
    {
        key.SetValue("Your app name", System.Reflection.Assembly.GetExecutingAssembly().Location + " /AutoStart");
    }
    else
    {
        key.DeleteValue("Your app name", false);
    }
}

如果您想在Windows启动时为所有用户自动启动应用程序,只需将第四行替换为

RegistryKey key = Registry.LocalMachine.OpenSubKey(path, true);

^_^