Donet中dos命令悄悄執行

本文闡述瞭如何在.net中悄悄的執行dos命令,並通過重定向輸出來返回結果的方式。

一、怎樣使dos命令悄悄執行,而不彈出控制檯窗口?

1.需要執行帶“/C”參數的“cmd.exe”命令,它表示執行完命令後立即退出控制檯。
2.設置startInfo.UseShellExecute = false;     //不使用系統外殼程序啓動進程
3.設置startInfo.CreateNoWindow = true;     //不創建窗口

二、怎樣得到dos命令的執行結果?

1.設置startInfo.RedirectStandardOutput = true;   //重定向輸出,而不是默認的顯示在dos控制檯
2.使用process.StandardOutput來讀取結果。

三、源程序

我將這一系列操作都封裝到了類DosCommandOutput的方法Execute中,請看下面:

using System;
using System.Text;
using System.Diagnostics;

namespace Wuya.GetDosCommandOutput
{
 /// <summary>
 /// DOS命令輸出類
 /// </summary>
 class DosCommandOutput
 {
  /// <summary>
  /// 執行DOS命令,返回DOS命令的輸出
  /// </summary>
  /// <param name="dosCommand">dos命令</param>
  /// <returns>返回輸出,如果發生異常,返回空字符串</returns>
  public static string Execute(string dosCommand)
  {
   return Execute(dosCommand, 60 * 1000);
  }
  /// <summary>
  /// 執行DOS命令,返回DOS命令的輸出
  /// </summary>
  /// <param name="dosCommand">dos命令</param>
  /// <param name="milliseconds">等待命令執行的時間(單位:毫秒),如果設定爲0,則無限等待</param>
  /// <returns>返回輸出,如果發生異常,返回空字符串</returns>
  public static string Execute(string dosCommand, int milliseconds)
  {
   string output = "";     //輸出字符串
   if (dosCommand != null && dosCommand != "")
   {
    Process process = new Process();     //創建進程對象
    ProcessStartInfo startInfo = new ProcessStartInfo();
    startInfo.FileName = "cmd.exe";      //設定需要執行的命令
    startInfo.Arguments = "/C " + dosCommand;   //設定參數,其中的“/C”表示執行完命令後馬上退出
    startInfo.UseShellExecute = false;     //不使用系統外殼程序啓動
    startInfo.RedirectStandardInput = false;   //不重定向輸入
    startInfo.RedirectStandardOutput = true;   //重定向輸出
    startInfo.CreateNoWindow = true;     //不創建窗口
    process.StartInfo = startInfo;
    try
    {
     if (process.Start())       //開始進程
     {
      if (milliseconds == 0)
       process.WaitForExit();     //這裏無限等待進程結束
      else
       process.WaitForExit(milliseconds);  //這裏等待進程結束,等待時間爲指定的毫秒
      output = process.StandardOutput.ReadToEnd();//讀取進程的輸出
     }
    }
    catch
    {
    }
    finally
    {
     if (process != null)
      process.Close();
    }
   }
   return output;
  }
 }
}

四、使用示例

txtResult.Text=DosCommandOutput.Execute(txtCommand.Text);
 

發佈了15 篇原創文章 · 獲贊 6 · 訪問量 9萬+
發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章