Redirect Runtime.getRuntime().exec() output with System.setOut();

2022-09-01 22:34:59

我有一个程序测试.java:

import java.io.*;

public class Test {
    public static void main(String[] args) throws Exception {
        System.setOut(new PrintStream(new FileOutputStream("test.txt")));
        System.out.println("HelloWorld1");
        Runtime.getRuntime().exec("echo HelloWorld2");
    }
}

这应该将HelloWorld1和HelloWorld2打印到文件文本中.txt。但是,当我查看文件时,我只看到HelloWorld1。

  1. HelloWorld2去哪儿了?它消失在稀薄的空气中了吗?

  2. 假设我想重定向HelloWorld2进行测试.txt。我不能只是在命令中添加“>>test.txt”,因为我会得到一个文件已经打开的错误。那么我该怎么做呢?


答案 1

Runtime.exec 的标准输出不会自动发送到调用方的标准输出。

像这样的事情应该做 - 访问分叉进程的标准输出,读取它,然后写出来。请注意,使用 Process 实例的方法,分支进程的输出可供父进程使用。getInputStream()

public static void main(String[] args) throws Exception {
    System.setOut(new PrintStream(new FileOutputStream("test.txt")));
    System.out.println("HelloWorld1");

     try {
       String line;
       Process p = Runtime.getRuntime().exec( "echo HelloWorld2" );

       BufferedReader in = new BufferedReader(
               new InputStreamReader(p.getInputStream()) );
       while ((line = in.readLine()) != null) {
         System.out.println(line);
       }
       in.close();
     }
     catch (Exception e) {
       // ...
     }
}

答案 2

从JDK 1.5开始,java.lang.ProcessBuilder也处理std和err流。它是java.lang.Runtime的替代品,你应该使用它。