.NET 애플리케이션에서 콘솔 애플리케이션을 호출하고 콘솔에서 생성 된 모든 출력을 캡처하려면 어떻게해야합니까?
(정보를 먼저 파일에 저장 한 다음 실시간으로 받기를 원하므로 다시 나열하고 싶지는 않습니다.)
답변
ProcessStartInfo.RedirectStandardOutput 속성을 사용하면 쉽게 얻을 수 있습니다 . 전체 샘플은 링크 된 MSDN 설명서에 포함되어 있습니다. 유일한 경고는 응용 프로그램의 모든 출력을 보려면 표준 오류 스트림을 리디렉션해야 할 수도 있다는 것입니다.
Process compiler = new Process();
compiler.StartInfo.FileName = "csc.exe";
compiler.StartInfo.Arguments = "/r:System.dll /out:sample.exe stdstr.cs";
compiler.StartInfo.UseShellExecute = false;
compiler.StartInfo.RedirectStandardOutput = true;
compiler.Start();
Console.WriteLine(compiler.StandardOutput.ReadToEnd());
compiler.WaitForExit();
답변
이것은 @mdb 에서 허용되는 답변보다 약간 개선 되었습니다 . 특히 프로세스의 오류 출력도 캡처합니다. 또한 오류와 일반 출력을 모두ReadToEnd()
캡처하려는 경우 작동하지 않기 때문에 이벤트를 통해 이러한 출력 을 캡처 합니다 . 실제로 BeginxxxReadLine()
전화 가 필요하기 때문에이 작업을하는 데 시간이 걸렸습니다 Start()
.
비동기 방식 :
using System.Diagnostics;
Process process = new Process();
void LaunchProcess()
{
process.EnableRaisingEvents = true;
process.OutputDataReceived += new System.Diagnostics.DataReceivedEventHandler(process_OutputDataReceived);
process.ErrorDataReceived += new System.Diagnostics.DataReceivedEventHandler(process_ErrorDataReceived);
process.Exited += new System.EventHandler(process_Exited);
process.StartInfo.FileName = "some.exe";
process.StartInfo.Arguments = "param1 param2";
process.StartInfo.UseShellExecute = false;
process.StartInfo.RedirectStandardError = true;
process.StartInfo.RedirectStandardOutput = true;
process.Start();
process.BeginErrorReadLine();
process.BeginOutputReadLine();
//below line is optional if we want a blocking call
//process.WaitForExit();
}
void process_Exited(object sender, EventArgs e)
{
Console.WriteLine(string.Format("process exited with code {0}\n", process.ExitCode.ToString()));
}
void process_ErrorDataReceived(object sender, DataReceivedEventArgs e)
{
Console.WriteLine(e.Data + "\n");
}
void process_OutputDataReceived(object sender, DataReceivedEventArgs e)
{
Console.WriteLine(e.Data + "\n");
}
답변
콘솔 프로세스 작성시 출력을 경로 재 지정 하려면 ProcessInfo.RedirectStandardOutput 을 사용하십시오 .
그런 다음 Process.StandardOutput 을 사용 하여 프로그램 출력을 읽을 수 있습니다 .
두 번째 링크에는 샘플 코드가 있습니다.
답변
ConsoleAppLauncher 는 해당 질문에 대답하기 위해 특별히 제작 된 오픈 소스 라이브러리입니다. 콘솔에서 생성 된 모든 출력을 캡처하고 콘솔 응용 프로그램을 시작하고 닫는 간단한 인터페이스를 제공합니다.
ConsoleOutput 이벤트는 콘솔이 표준 / 오류 출력에 새 줄을 쓸 때마다 발생합니다. 줄이 대기되고 출력 순서를 따르도록 보장됩니다.
NuGet 패키지 로도 제공 .
전체 콘솔 출력을 얻기위한 샘플 호출 :
// Run simplest shell command and return its output.
public static string GetWindowsVersion()
{
return ConsoleApp.Run("cmd", "/c ver").Output.Trim();
}
실시간 피드백이있는 샘플 :
// Run ping.exe asynchronously and return roundtrip times back to the caller in a callback
public static void PingUrl(string url, Action<string> replyHandler)
{
var regex = new Regex("(time=|Average = )(?<time>.*?ms)", RegexOptions.Compiled);
var app = new ConsoleApp("ping", url);
app.ConsoleOutput += (o, args) =>
{
var match = regex.Match(args.Line);
if (match.Success)
{
var roundtripTime = match.Groups["time"].Value;
replyHandler(roundtripTime);
}
};
app.Run();
}
답변
콘솔 출력 및 입력을 통해 다른 프로세스와의 상호 작용을 쉽게 스크립트 할 수 있는 O2 플랫폼 (오픈 소스 프로젝트)에 여러 가지 도우미 메소드를 추가했습니다 ( http://code.google.com/p/o2platform/ 참조) . 소스 / 찾아보기 / 트렁크 /O2_Scripts/APIs/Windows/CmdExe/CmdExeAPI.cs )
또한 기존 프로세스 또는 팝업 창에서 현재 프로세스의 콘솔 출력을 볼 수있는 API가 유용 할 수 있습니다. 자세한 내용은이 블로그 게시물을 참조하십시오. http://o2platform.wordpress.com/2011/11/26/api_consoleout-cs-inprocess-capture-of-the-console-output/ (이 블로그에는 소비 방법에 대한 세부 정보도 포함되어 있습니다. 새로운 프로세스의 콘솔 출력)
답변
stdOut 및 StdErr에 대한 콜백을 허용하는 반응 버전을 만들었습니다.
onStdOut
와 onStdErr
, 비동기 적으로 호출되는
즉시 데이터 (프로세스 종료하기 전에)에 도착한다.
public static Int32 RunProcess(String path,
String args,
Action<String> onStdOut = null,
Action<String> onStdErr = null)
{
var readStdOut = onStdOut != null;
var readStdErr = onStdErr != null;
var process = new Process
{
StartInfo =
{
FileName = path,
Arguments = args,
CreateNoWindow = true,
UseShellExecute = false,
RedirectStandardOutput = readStdOut,
RedirectStandardError = readStdErr,
}
};
process.Start();
if (readStdOut) Task.Run(() => ReadStream(process.StandardOutput, onStdOut));
if (readStdErr) Task.Run(() => ReadStream(process.StandardError, onStdErr));
process.WaitForExit();
return process.ExitCode;
}
private static void ReadStream(TextReader textReader, Action<String> callback)
{
while (true)
{
var line = textReader.ReadLine();
if (line == null)
break;
callback(line);
}
}
사용법 예
다음과 executable
함께 실행 args
되고 인쇄됩니다.
- 흰색 stdOut
- 빨간색 stdErr
콘솔에.
RunProcess(
executable,
args,
s => { Console.ForegroundColor = ConsoleColor.White; Console.WriteLine(s); },
s => { Console.ForegroundColor = ConsoleColor.Red; Console.WriteLine(s); }
);
답변
에서 파이썬 Programcıları Derneği, 전자 kitap, örnek – PythonTR :
Process p = new Process(); // Create new object
p.StartInfo.UseShellExecute = false; // Do not use shell
p.StartInfo.RedirectStandardOutput = true; // Redirect output
p.StartInfo.FileName = "c:\\python26\\python.exe"; // Path of our Python compiler
p.StartInfo.Arguments = "c:\\python26\\Hello_C_Python.py"; // Path of the .py to be executed