C#执行EXE文件与输出消息的提取操作
简介
有时候会需要在c#特别是WPF环境下调用其他的程序,这类型的程序以命令行为执行环境,这里就说明下如何调用exe并传递参数
一般有两种方法
一种是直接调用exe程序并执行,另一种是调用cmd.exe然后通过输入的方式来执行指定的程序,前者虽然直接但是有时候不能读出输出的信息
因此这里我推荐使用第二个方法,使用异步的方式来创建cmd.exe进程,然后调用我们所需要的程序
1.声明和初始化一个Process类实例
//进程的名称 string fileName = "cmd.exe"; //测试参数 string para = @"avrdude\avrdude.exe -C avrdude\avrdude.conf -v -p atmega32u4 -c avr109 -P " + portname+" -b 57600 -D -U flash:w:node.hex:i"; //声明 Process p = new Process();
2.填写相关的参数
这里所需的参数主要是将输入和输出重新定向到Process类的内存中,这样我们就可以通过Process类实例来操作cmd的输入,同时也可以读出命令行的输出
p.StartInfo.CreateNoWindow = true; // 不创建新窗口 p.StartInfo.UseShellExecute = false; //不启用shell启动进程 p.StartInfo.RedirectStandardInput = true; // 重定向输入 p.StartInfo.RedirectStandardOutput = true; // 重定向标准输出 p.StartInfo.RedirectStandardError = true; // 重定向错误输出 p.StartInfo.FileName = fileName;
3.执行
p.Start();
4.模拟输入并结束输入
模拟输入的部分已经包括了我们需要调用的程序以及参数,可以事先用cmd来试试看,这里的
p.StandardInput.WriteLine(para + "&exit"); p.StandardInput.AutoFlush = true; p.StandardInput.Close();
5.获取输出
这一部分可以获取在cmd中执行的程序在执行完成后所输出的信息,WaitForExit可以填写参数也可以不写
p.StandardOutput.ReadToEnd(); string output = p.StandardError.ReadToEnd(); // p.OutputDataReceived += new DataReceivedEventHandler(processOutputDataReceived); p.WaitForExit();//参数单位毫秒,在指定时间内没有执行完则强制结束,不填写则无限等待 p.Close(); AddInfo(output);
这里我注释掉的部分代码是设置收到输出之后就跳转的函数,但经过测试发现和我前文所述的第一种方式一样不可行,很多的程序是用错误输出来输出信息。因此弃用
这样就可以完成消息的处理了,具体的结合WPF的用法(如下图)我将在后继进行说明
补充:C# 调用外部程序,并获取输出和错误信息
1. 同步模式
public void exec(string exePath, string parameters) { System.Diagnostics.ProcessStartInfo psi = new System.Diagnostics.ProcessStartInfo(); psi.RedirectStandardOutput = true; psi.RedirectStandardError = true; psi.WindowStyle = System.Diagnostics.ProcessWindowStyle.Hidden; psi.UseShellExecute = false; psi.FileName = exePath; psi.Arguments = parameters; System.Diagnostics.Process process = System.Diagnostics.Process.Start(psi); System.IO.StreamReader outputStreamReader = process.StandardOutput; System.IO.StreamReader errStreamReader = process.StandardError; process.WaitForExit(2000); if (process.HasExited) { string output = outputStreamReader.ReadToEnd(); string error = errStreamReader.ReadToEnd(); MessageBox.Show(output); MessageBox.Show(error); } }
2.异步模式
public void exec(string exePath, string parameters) { Process process = new System.Diagnostics.Process(); process.StartInfo.FileName = exePath; process.StartInfo.Arguments = parameters; process.StartInfo.UseShellExecute = false; process.StartInfo.CreateNoWindow = true; process.StartInfo.RedirectStandardOutput = true; process.Start(); process.BeginOutputReadLine(); process.OutputDataReceived += new DataReceivedEventHandler(processOutputDataReceived); } private void processOutputDataReceived(object sender, DataReceivedEventArgs e) { MessageBox.Show(e.Data); }
以上为个人经验,希望能给大家一个参考,也希望大家多多支持我们。如有错误或未考虑完全的地方,望不吝赐教。
赞 (0)