我正在尝试使用ProcessBuilder在Ubuntu上获取命令的执行结果,并尝试从以下技术中获取输出结果。但是没有显示结果,程序等待输出。
执行命令:
ItemArray
获得输出技术1:
String[] args = new String[]{"/bin/bash", "-c", "pandoc -f html - t asciidoc input.html"};
Process process = new ProcessBuilder(args).start();
获得输出技术2:
InputStream inputStream = process.getInputStream();
StringWriter stringWriter = new StringWriter();
IOUtils.copy(inputStream, stringWriter, "UTF-8");
// Waiting
String asciidocoutput = writer.toString();
答案 0 :(得分:2)
ProcessBuilder
的构造函数接受命令,每个后续的String均被视为第一个String的参数,该字符串被识别为主要命令。
尝试将/bin/bash
替换为pandoc
,看看是否可行。
在我这边,我可以使用Runtime.getRuntime().exec(...)
而不用ProcessBuilder来运行任意命令,就像这样:
public static void main(String[] args) throws Exception {
Process proc = Runtime.getRuntime().exec("cmd /c ipconfig");
BufferedReader reader = new BufferedReader(new InputStreamReader(proc.getInputStream()));
String line = null;
while((line = reader.readLine()) != null){
System.out.println(line);
}
}
获得预期的输出:
Configurazione IP di Windows
Scheda Ethernet Ethernet:
Suffisso DNS specifico per connessione:
Indirizzo IPv6 locale rispetto al collegamento . : fe80::fcba:735a:5941:5cdc%11
Indirizzo IPv4. . . . . . . . . . . . : 192.168.0.116
Subnet mask . . . . . . . . . . . . . : 255.255.255.0
Gateway predefinito . . . . . . . . . : 192.168.0.1
Process finished with exit code 0
如果您确实需要使用ProcessBuilder
,则可以通过以下方式定义Process
来实现相同的行为:
Process proc = new ProcessBuilder("ipconfig").start();
只需调用要运行的命令即可。