将流程输出重定向到标准输出
我想从Groovy程序中执行foo.bat,并将生成的进程的输出重定向到stdout。Java或Groovy代码示例都可以。
foo.bat可能需要几分钟才能运行并生成大量输出,因此我希望在生成输出后立即查看输出,而不必等到进程完成才能立即看到所有输出。
我想从Groovy程序中执行foo.bat,并将生成的进程的输出重定向到stdout。Java或Groovy代码示例都可以。
foo.bat可能需要几分钟才能运行并生成大量输出,因此我希望在生成输出后立即查看输出,而不必等到进程完成才能立即看到所有输出。
使用 inheritIO() 方法将所有流重定向到标准输出非常简单。这会将输出打印到运行此命令的进程的标准输出。
ProcessBuilder pb = new ProcessBuilder("command", "argument");
pb.directory(new File(<directory from where you want to run the command>));
pb.inheritIO();
Process p = pb.start();
p.waitFor();
还有其他方法,如下所述。这些单独的方法将有助于仅重定向所需的流。
pb.redirectInput(Redirect.INHERIT)
pb.redirectOutput(Redirect.INHERIT)
pb.redirectError(Redirect.INHERIT)
这使用一个类,该类读取执行的程序生成的所有输出,并将其显示在自己的stdout中。
class StreamGobbler extends Thread {
InputStream is;
// reads everything from is until empty.
StreamGobbler(InputStream is) {
this.is = is;
}
public void run() {
try {
InputStreamReader isr = new InputStreamReader(is);
BufferedReader br = new BufferedReader(isr);
String line=null;
while ( (line = br.readLine()) != null)
System.out.println(line);
} catch (IOException ioe) {
ioe.printStackTrace();
}
}
}
Runtime rt = Runtime.getRuntime();
Process proc = rt.exec("javac");
//output both stdout and stderr data from proc to stdout of this process
StreamGobbler errorGobbler = new StreamGobbler(proc.getErrorStream());
StreamGobbler outputGobbler = new StreamGobbler(proc.getInputStream());
errorGobbler.start();
outputGobbler.start();
proc.waitFor();