1. ホーム
  2. パイソン

[解決済み] [Solved] subprocess.Popen に文字列を渡すにはどうしたらいいですか(stdin 引数を使用)?

2022-03-27 10:35:04

質問

以下のようにすると

import subprocess
from cStringIO import StringIO
subprocess.Popen(['grep','f'],stdout=subprocess.PIPE,stdin=StringIO('one\ntwo\nthree\nfour\nfive\nsix\n')).communicate()[0]

得ることができる。

Traceback (most recent call last):
  File "<stdin>", line 1, in ?
  File "/build/toolchain/mac32/python-2.4.3/lib/python2.4/subprocess.py", line 533, in __init__
    (p2cread, p2cwrite,
  File "/build/toolchain/mac32/python-2.4.3/lib/python2.4/subprocess.py", line 830, in _get_handles
    p2cread = stdin.fileno()
AttributeError: 'cStringIO.StringI' object has no attribute 'fileno'

どうやらcStringIO.StringIOオブジェクトはsubprocess.Popenに合うほどファイルダックに近く鳴かないようです。 どのようにこれを回避するのですか?

解決方法は?

Popen.communicate() のドキュメントをご覧ください。

にデータを送りたい場合は注意してください。 プロセスの標準入力にする必要があります。 でPopenオブジェクトを作成します。 stdin=PIPE です。同様に、何かを得るために を、結果のタプルに None 以外を指定する。 を指定する必要があります。 stderr=PIPEも同様です。

os.popen*を置き換える

    pipe = os.popen(cmd, 'w', bufsize)
    # ==>
    pipe = Popen(cmd, shell=True, bufsize=bufsize, stdin=PIPE).stdin

警告 よりも、communicate()を使用してください。 stdin.write()、stdout.read()、または によるデッドロックを回避するために、stderr.read() 他のOSのパイプバッファのいずれかが がいっぱいになり、子プロセスがブロックされます。 プロセスです。

つまり、あなたの例は次のように書くことができます。

from subprocess import Popen, PIPE, STDOUT

p = Popen(['grep', 'f'], stdout=PIPE, stdin=PIPE, stderr=STDOUT)    
grep_stdout = p.communicate(input=b'one\ntwo\nthree\nfour\nfive\nsix\n')[0]
print(grep_stdout.decode())
# -> four
# -> five
# ->


Python 3.5+(3.6+の場合は encoding を使用することができます。 subprocess.run を使えば、外部コマンドに文字列で入力を渡し、その終了状態を取得し、その出力を文字列として一度に呼び出すことができます。

#!/usr/bin/env python3
from subprocess import run, PIPE

p = run(['grep', 'f'], stdout=PIPE,
        input='one\ntwo\nthree\nfour\nfive\nsix\n', encoding='ascii')
print(p.returncode)
# -> 0
print(p.stdout)
# -> four
# -> five
# ->