Python - 外部コマンドの実行(by subprocess)!
Updated:
Python で外部コマンドを実行する方法についての記録です。
0. 前提条件
- LMDE 2 (Linux Mint Debian Edition 2; 64bit) での作業を想定。
- Python 3.6.4 での作業を想定。
- 公式にサブプロセスを起動する手段として推奨されている標準モジュールライブラリ subprocess を使用する。
- 当方は他のバージョンとの共存環境であり、
python3.6
,pip3.6
で 3.6 系を使用するようにしている。(適宜、置き換えて考えること)
1. Python サンプルスクリプトの作成
- 敢えてオブジェクト指向で作成している。
- Shebang ストリング(1行目)では、フルパスでコマンド指定している。(当方の慣習)
- 以下は、
ls -l
というオプション付きのコマンドの実行例。 - 前半は、
run
メソッドで単純に実行する例で、標準出力を行い、結果として実行コマンドのリストと終了コードを捕捉する。 - 後半は、
run
メソッドをオプション付きで実行する例で、標準出力は行わず、結果として実行コマンドのリストと終了コードに加え、標準出力も補足する。
File: test_subprocess.py
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
#! /usr/local/bin/python3.6
"""
Test of subprocess module
"""
import subprocess as sp
import sys
import traceback
class TestSubprocess:
def exec(self):
cmds = ["ls", "-l"]
try:
# Capturing:args, returncode
res = sp.run(cmds)
print(res.args)
print(res.returncode)
print("---")
# Capturing:args, returncode, stdout(coding: utf-8)
res = sp.run(cmds, stdout=sp.PIPE, encoding="utf-8")
print(res.args)
print(res.returncode)
print(res.stdout)
except Exception as e:
raise
if __name__ == '__main__':
try:
obj = TestSubprocess()
obj.exec()
except Exception as e:
traceback.print_exc()
sys.exit(1)
ちなみに、 run()
でオプション encoding="utf-8"
を指定しない場合は、 print(res.stdout.decode())
のようにする。
2. Python スクリプトの実行
まず、実行権限を付与。
$ chmod +x test_subprocess.py
そして、実行。
$ ./test_subprocess.py
合計 4
-rwxr-xr-x 1 masaru masaru 799 2月 23 23:14 test_subprocess.py
['ls', '-l']
0
---
['ls', '-l']
0
合計 4
-rwxr-xr-x 1 masaru masaru 799 2月 23 23:14 test_subprocess.py
3. 参考サイト
以上
Comments