在 C# 应用程序中执行外部 EXE 文件
本指南演示如何使用 .NET Framework 的 Process
类的功能从 C# 程序启动可执行 (EXE) 文件。
最简单的方法是 Process.Start()
方法,它将 EXE 文件的路径作为字符串参数。 例如,要运行 C:\path\to\myprogram.exe
,请使用:
<code class="language-csharp">using System.Diagnostics; class Program { static void Main() { Process.Start("C:\path\to\myprogram.exe"); } }</code>
对于需要命令行参数的 EXE,请利用 ProcessStartInfo
类进行更精细的控制。 此示例展示了其功能:
<code class="language-csharp">using System.Diagnostics; class Program { static void Main() { RunExternalAppWithArguments(); } static void RunExternalAppWithArguments() { // Example paths (replace with your actual paths) const string outputDir = "C:\OutputDirectory"; const string inputFile = "C:\InputFile.txt"; // Configure process settings ProcessStartInfo startInfo = new ProcessStartInfo(); startInfo.CreateNoWindow = false; // Show the console window startInfo.UseShellExecute = false; // Required for argument handling startInfo.FileName = "myCommandLineApp.exe"; // Your EXE file startInfo.Arguments = $"-o \"{outputDir}\" -i \"{inputFile}\""; // Arguments try { using (Process exeProcess = Process.Start(startInfo)) { exeProcess.WaitForExit(); // Wait for the EXE to finish } } catch (Exception ex) { // Handle exceptions appropriately (log the error, etc.) Console.WriteLine($"Error launching EXE: {ex.Message}"); } } }</code>
请记住将占位符路径和文件名替换为您的实际值。 错误处理对于健壮的应用程序至关重要。 这个改进的示例提供了启动外部流程的更多上下文和最佳实践。
以上是如何从我的 C# 应用程序执行 EXE 文件?的详细内容。更多信息请关注PHP中文网其他相关文章!