Java中在使用Runtime.getRuntime().exec(command)調用系統命令後
通常會調用Process.waitFor()來等待命令執行結束 獲取執行結果
今天一個悲劇的事實證實了
即便只是調用了很簡單的腳本命令
在調用Process.waitFor()後一樣可能發生無休止或者接近於無休止的阻塞
處理完故障以後痛定思痛
決定在代碼中加入超時控制
可是Process.waitFor()自己並不支持超時時間設置
一個方法是改用非阻塞的Process.exitValue()方法
而後輪詢檢查進程狀態 這種方式比較消耗CPU
以致於輪詢間隔也不能設置得過小 總歸不是很完美
另外就是多起一個線程
藉助於其餘的超時機制來控制
最後使用的代碼以下 java
public class ProcessUtils { /** * 運行一個外部命令,返回狀態.若超過指定的超時時間,拋出TimeoutException * @param command * @param timeout * @return * @throws IOException * @throws InterruptedException * @throws TimeoutException */ public static int executeCommand(final String command, final long timeout) throws IOException, InterruptedException, TimeoutException { Process process = Runtime.getRuntime().exec(command); Worker worker = new Worker(process); worker.start(); try { worker.join(timeout); if (worker.exit != null){ return worker.exit; } else{ throw new TimeoutException(); } } catch (InterruptedException ex) { worker.interrupt(); Thread.currentThread().interrupt(); throw ex; } finally { process.destroy(); } } private static class Worker extends Thread { private final Process process; private Integer exit; private Worker(Process process) { this.process = process; } public void run() { try { exit = process.waitFor(); } catch (InterruptedException ignore) { return; } } } }