通常 Java 執行 Windows 或者 Linux 的命令時,都是使用 Runtime.getRuntime.exec(command)
來執行的
eg1: 執行命令
public static void execCommand() {
try {
Runtime runtime = Runtime.getRuntime();
// 開啟工作管理員,exec方法呼叫後返回 Process 程式物件
Process process = runtime.exec("cmd.exe /c taskmgr");
// 等待程式物件執行完成,並返回“退出值”,0 為正常,其他為異常
int exitValue = process.waitFor();
System.out.println("exitValue: " + exitValue);
// 銷燬process物件
process.destroy();
} catch (IOException | InterruptedException e) {
e.printStackTrace();
}
}
eg2: 執行命令,並獲取正常輸出與錯誤輸出
public static void execCommandAndGetOutput() {
try {
Runtime runtime = Runtime.getRuntime();
Process process = runtime.exec("cmd.exe /c ipconfig");
// 輸出結果,必須寫在 waitFor 之前
String outStr = getStreamStr(process.getInputStream());
// 錯誤結果,必須寫在 waitFor 之前
String errStr = getStreamStr(process.getErrorStream());
int exitValue = process.waitFor(); // 退出值 0 為正常,其他為異常
System.out.println("exitValue: " + exitValue);
System.out.println("outStr: " + outStr);
System.out.println("errStr: " + errStr);
process.destroy();
} catch (IOException | InterruptedException e) {
e.printStackTrace();
}
}
public static String getStreamStr(InputStream is) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(is, "GBK"));
StringBuilder sb = new StringBuilder();
String line;
while ((line = br.readLine()) != null) {
sb.append(line);
sb.append("\n");
}
br.close();
return sb.toString();
}
process
物件可以通過運算元據流,對執行的命令進行引數輸入、獲取命令輸出結果、獲取錯誤結果
getInputStream() |
獲取process程式的輸出資料 |
---|---|
getOutputStream() |
獲取process程式的輸入資料 |
getErrorStream() |
獲取process程式的錯誤資料 |
值得注意的是:
getInputStream()
為什麼是獲取輸出資料?getOutputStream()
為什麼是獲取輸入資料?這是因為 input 和 output 是__針對當前呼叫 process 的程式而言的__,即
要獲取命令的輸出結果,就是被執行命令的結果 輸入到我們自己寫的程式中,所以用getInputStream()
要往別的程式輸入資料,就是我們程式要輸出,所以此時用getOutputStream()