Java执行Shell脚本

文章目录
  1. 背景
  2. 执行Linux Shell脚本的步骤
    1. 改变Shell脚本的可执行权限
    2. 执行Linux Shell脚本
  3. 代码实现

背景

在Java web项目的开发中,我们通常将web项目打包发布在Linux系统服务器上,往往很多时候,我们都需要让程序去执行本地或者服务器某路径下的Shell脚本,以达到处理某些系统命令的功能。

执行Linux Shell脚本的步骤

  1. 改变Shell脚本的可执行权限
  2. 执行Linux Shell脚本

改变Shell脚本的可执行权限

改变Shell脚本的可执行权限,其实就是执行Linux的chmod来改变文件的权限;

执行Linux Shell脚本

我们通过Java JDK中的Runtime.getRuntime()来获取Process进程类对象,从而调用Process对象的public Process exec(String command) throws IOException方法来完成Shell文件的执行;

代码实现

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
/**
* 执行改变shell脚本权限命令
*
* @param shellPath shell脚本路径
* @return
*/
public static boolean runChmod(String shellPath) throws Exception {
// 添加shell的执行权限
String chmod = "chmod +x " + shellPath;
Process process = null;
try {
process = Runtime.getRuntime().exec(chmod);
int waitFor = process.waitFor();
if (waitFor != 0) {
// 执行出现异常
System.out.println("改变Shell脚本执行权限发生异常");
return false;
}
BufferedReader in = new BufferedReader(new InputStreamReader(
process.getInputStream()));
System.out.println(in.readLine());
} catch (IOException e) {
throw e;
} catch (InterruptedException e) {
throw e;
} finally {
if (process != null) {
process.destroy();
}
}
return true;
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
/**
* 执行shell脚本
*
* @param shellPath shell脚本路劲
* @param params 执行脚本所需参数
* @return
*/
public static String runShell(String shellPath, String params[]) throws IOException, InterruptedException {
String execShell = "/bin/sh " + shellPath;
Process process = null;
// 执行shell脚本时的参数拼接
if (params != null && params.length > 0) {
for (String param : params) {
execShell += " " + param;
}
}
BufferedReader in = null;
try {
process = Runtime.getRuntime().exec(execShell);
int waitFor = process.waitFor();
if (waitFor != 0) {
// 执行出现异常
return null;
}
in = new BufferedReader(new InputStreamReader(
process.getInputStream()));
StringBuffer sb = new StringBuffer();
String lineTxt;
while ((lineTxt = in.readLine()) != null) {
sb.append(lineTxt + "\n");
}
return sb.toString();
} catch (IOException e) {
throw e;
} catch (InterruptedException e) {
throw e;
} finally {
if (process != null) {
process.destroy();
}
if (in != null) {
try {
in.close();
} catch (IOException e) {
System.out.println("关闭输出流发生异常");
}
}
}
}