从java Runtime.exec读取流

我有以下代码片段:

Process proc = runtime.exec(command); errorGobbler = new ErrorStreamGobbler(proc.getErrorStream(), logErrors, mdcMap); outputGobbler = new OutputStreamGobbler(proc.getInputStream(), mdcMap); executor.execute(errorGobbler); executor.execute(outputGobbler); processExitCode = proc.waitFor(); 

gobblers是Runnable的,它使用BufferedReader来读取执行进程的输入和错误流。 虽然这大部分时间都有效,但我偶尔会看到窗口(大约2分钟左右),我将processExitCode设为0,表示正常终止,但输入和错误流中没有任何内容 – 甚至没有任何内容表示 -的流。

就像我之前说过的那样,这种情况大部分时间都有效,但这种失败每隔一段时间就会发生 – 而且我完全感到困惑。 有任何想法吗?

碎布

我一直在努力解决同样的问题。 我不记得到底出了什么问题(也许我忘了正确地冲洗/关闭流或什么……)。 无论如何,这是我想出来的。

 /** * Handle communication with a process, reading its output/error and feeding its input * @param process The process to execute * @param _in Reader that will feed the input pipe of the process * @param out Writer that will receive the output of the process * @param err Writer that will receive the error pipe of the process */ public static void communicate( Process process, final Reader _in, final Writer out, final Writer err) { // Buffer the input reader final BufferedReader in = new BufferedReader(_in); // Final versions of the the params, to be used within the threads final BufferedReader stdOut = new BufferedReader(new InputStreamReader(process.getInputStream())); final BufferedReader stdErr = new BufferedReader(new InputStreamReader(process.getErrorStream())); final BufferedWriter stdIn = new BufferedWriter(new OutputStreamWriter(process.getOutputStream())); // Thread that reads std out and feeds the writer given in input new Thread() { @Override public void run() { String line; try { while ((line = stdOut.readLine()) != null) { out.write(line + newline); } } catch (Exception e) {throw new Error(e);} try { out.flush(); out.close(); } catch (IOException e) { /* Who cares ?*/ } } }.start(); // Starts now // Thread that reads std err and feeds the writer given in input new Thread() { @Override public void run() { String line; try { while ((line = stdErr.readLine()) != null) { err.write(line + newline); } } catch (Exception e) {throw new Error(e);} try { err.flush(); err.close(); } catch (IOException e) { /* Who cares ?*/ } } }.start(); // Starts now // Thread that reads the std in given in input and that feeds the input of the process new Thread() { @Override public void run() { String line; try { while ((line = in.readLine()) != null) { stdIn.write(line + newline); } } catch (Exception e) {throw new Error(e);} try { stdIn.flush(); stdIn.close(); } catch (IOException e) { /* Who cares ?*/ } } }.start(); // Starts now // Wait until the end of the process try { process.waitFor(); } catch (Exception e) { throw new Error(e); } } // End of #communicate 

我希望这有帮助。