在 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中文網其他相關文章!