我正在尝试在java代码中运行linux命令。该命令是raspivid,我已经放在test.sh文件下的服务器上进行实时摄像机流媒体。一切正常但问题是在启动tomcat服务器几分钟后流停止。就像在java中运行命令后6-7分钟后流式传输停止一样,但在后台运行了生动的进程。另一方面,当我在不使用java代码的情况下运行相同的命令时,它工作正常。这是tomcat堆还是其他任何阻止流式传输的问题?请帮助查看以下代码:
try {
Process p = Runtime.getRuntime().exec(new String[]{"sudo","sh","/home/pi/test.sh"});
BufferedReader stdInput = new BufferedReader(new
InputStreamReader(p.getInputStream()));
BufferedReader stdError = new BufferedReader(new
InputStreamReader(p.getErrorStream()));
// read the output from the command
LOGGER.info("Here is the standard output of the command:\n");
while ((s = stdInput.readLine()) != null) {
LOGGER.info(s);
}
// read any errors from the attempted command
LOGGER.info("Here is the standard error of the command (if any):\n");
while ((s = stdError.readLine()) != null) {
LOGGER.info(s);
}
}
答案 0 :(得分:0)
问题是BufferedReader.readLine()
阻塞,直到可以读取整行(由任何行结束字符序列终止),并且您不读取进程的“并行”的2个输出,如果其缓冲区为1被填满,进程被阻止。
您需要读取该过程输出的数据。
进程有2个输出流:标准输出和错误输出。您必须阅读两者,因为该过程可能会写入这两个输出。
进程的输出流有缓冲区。如果输出流的缓冲区已满,则尝试将进一步的数据写入该进程被阻止。
做这样的事情:
BufferedReader stdInput = new BufferedReader(
new InputStreamReader(p.getInputStream()));
BufferedReader stdError = new BufferedReader(
new InputStreamReader(p.getErrorStream()));
while (p.isAlive()) {
while (stdInput.ready())
LOGGER.info(stdInput.readLine());
while (stdError.ready())
LOGGER.info(stdError.readLine());
Thread.sleep(1);
}
此解决方案出现问题(并修复):
此解决方案有错误。该过程可能不会在其输出中写入完整行。如果是这种情况,那么进程可能仍会挂起,例如,如果它将1个字符写入其标准输出,则stdInput.readLine()
将阻塞(因为它会读取直到遇到新行字符)并且进程将继续写入错误流,当错误流的缓冲区已满时,该进程将被阻止。
所以最好不要按行而是按字符读取缓冲区的输出流(当然这会使记录变得更难):
StringBuilder lineOut = new StringBuilder(); // std out buffer
StringBuilder lineErr = new StringBuilder(); // std err buffer
while (p.isAlive()) {
while (stdInput.ready()) {
// Append the character to a buffer or log if it is the line end
char c = (char) stdInput.read();
if (c == '\n') { // On UNIX systems line separator is one char: '\n'
LOGGER.info(lineOut.toString());
lineOut.setLength(0);
}
else
lineOut.append(c);
}
while (stdError.ready()) {
// Append the character to a buffer or log if it is the line end
char c = (char) stdError.read()
if (c == '\n') { // On UNIX systems line separator is one char: '\n'
LOGGER.info(lineErr.toString());
lineErr.setLength(0);
}
else
lineErr.append(c);
}
Thread.sleep(1);
}
或者,您可以启动2个线程,一个用于读取进程的标准输出,另一个用于读取进程的标准错误。这可能简化了事情:
private static void consumeStream(final InputStream is) {
new Thread() {
@Override
public void run() {
BufferedReader r = new BufferedReader(new InputStreamReader(is));
String line;
while ((line = r.readLine()) != null)
LOGGER.info(line);
}
}.start();
}
使用它:
consumeStream(p.getInputStream());
consumeStream(p.getErrorStream());