コマンドライン引数を取るWPFアプリケーションを作成しようとしています。引数が指定されていない場合、メインウィンドウが表示されます。特定のコマンドライン引数の場合、GUIなしでコードを実行し、終了したら終了する必要があります。これがどのように適切に行われるべきかについての提案は歓迎されます。
まず、App.xamlファイルの上部でこの属性を見つけて削除します。
StartupUri="Window1.xaml"
つまり、アプリケーションはメインウィンドウを自動的にインスタンス化して表示しません。
次に、AppクラスのOnStartupメソッドをオーバーライドして、ロジックを実行します。
protected override void OnStartup(StartupEventArgs e)
{
base.OnStartup(e);
if ( /* test command-line params */ )
{
/* do stuff without a GUI */
}
else
{
new Window1().ShowDialog();
}
this.Shutdown();
}
引数の存在を確認するには、Mattのソリューションでこれをテストに使用します。
e.Args.Contains( "MyTriggerArg")
コンソールへの出力を備えた.NET 4.0+用の上記のソリューションの組み合わせ:
[DllImport("Kernel32.dll")]
public static extern bool AttachConsole(int processID);
protected override void OnStartup(StartupEventArgs e)
{
base.OnStartup(e);
if (e.Args.Contains("--GUI"))
{
// Launch GUI and pass arguments in case you want to use them.
new MainWindow(e).ShowDialog();
}
else
{
//Do command line stuff
if (e.Args.Length > 0)
{
string parameter = e.Args[0].ToString();
WriteToConsole(parameter);
}
}
Shutdown();
}
public void WriteToConsole(string message)
{
AttachConsole(-1);
Console.WriteLine(message);
}
MainWindowのコンストラクターを変更して、引数を受け入れます。
public partial class MainWindow : Window
{
public MainWindow(StartupEventArgs e)
{
InitializeComponent();
}
}
削除することを忘れないでください:
StartupUri="MainWindow.xaml"
以下をapp.xaml.cs
ファイルで使用できます。
private void Application_Startup(object sender, StartupEventArgs e)
{
MainWindow WindowToDisplay = new MainWindow();
if (e.Args.Length == 0)
{
WindowToDisplay.Show();
}
else
{
string FirstArgument = e.Args[0].ToString();
string SecondArgument = e.Args[1].ToString();
//your logic here
}
}