最近突发奇想地想要在Java里调用Python脚本,在网上查过之后还真的可以。
常见的java调用python脚本方式
- 通过Jython.jar提供的类库实现
- 通过Runtime.getRuntime()开启进程来执行脚本文件
这两种方法我都尝试过,个人推荐第二种方法,因为Python有时需要用到第三方库,比如requests,而Jython不支持。所以本地安装Python环境并且安装第三库再用Java调用是最好的方法。
下面通过两个小例子,分别是不带参数和带参数的,展示如何使用Java调用Python脚本:
Python代码:
1
2
3
4
5
6 1def hello():
2 print('Hello,Python')
3
4if __name__ == '__main__':
5 hello()
6
Java代码;
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24 1import java.io.BufferedReader;
2import java.io.InputStreamReader;
3
4public class HelloPython {
5 public static void main(String[] args) {
6 String[] arguments = new String[] {"python", "E://workspace/hello.py"};
7 try {
8 Process process = Runtime.getRuntime().exec(arguments);
9 BufferedReader in = new BufferedReader(new InputStreamReader(process.getInputStream(),"GBK"));
10 String line = null;
11 while ((line = in.readLine()) != null) {
12 System.out.println(line);
13 }
14 in.close();
15 //java代码中的process.waitFor()返回值为0表示我们调用python脚本成功,
16 //返回值为1表示调用python脚本失败,这和我们通常意义上见到的0与1定义正好相反
17 int re = process.waitFor();
18 System.out.println(re);
19 } catch (Exception e) {
20 e.printStackTrace();
21 }
22 }
23}
24
其中说明一点,BufferedReader in = new BufferedReader(new InputStreamReader(process.getInputStream(),"GBK"));这段代码中的GBK是为了防止Python输出中文时乱码加的。
运行结果:
接下来是带参数的,Python代码;
1
2
3
4
5
6
7
8
9 1import sys
2
3def hello(name,age):
4 print('name:'+name)
5 print('age:'+age)
6
7if __name__ == '__main__':
8 hello(sys.argv[1], sys.argv[2])
9
Java代码:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24 1import java.io.BufferedReader;
2import java.io.InputStreamReader;
3
4public class HelloPython {
5 public static void main(String[] args) {
6 String[] arguments = new String[] {"python", "E://workspace/hello.py","lei","23"};
7 try {
8 Process process = Runtime.getRuntime().exec(arguments);
9 BufferedReader in = new BufferedReader(new InputStreamReader(process.getInputStream(),"GBK"));
10 String line = null;
11 while ((line = in.readLine()) != null) {
12 System.out.println(line);
13 }
14 in.close();
15 //java代码中的process.waitFor()返回值为0表示我们调用python脚本成功,
16 //返回值为1表示调用python脚本失败,这和我们通常意义上见到的0与1定义正好相反
17 int re = process.waitFor();
18 System.out.println(re);
19 } catch (Exception e) {
20 e.printStackTrace();
21 }
22 }
23}
24
运行结果: