Reading/writing to a Popen() subprocess

后端 未结 2 874
陌清茗
陌清茗 2021-02-07 20:26

I\'m trying to talk to a child process using the python subprocess.Popen() call. In my real code, I\'m implementing a type of IPC, so I want to write some data, read the respons

相关标签:
2条回答
  • 2021-02-07 21:24

    I would try to use Popen().communicate() if you can as it does a lot of nice things for you, but if you need to use Popen() exactly as you described, you'll need to set sed to flush its buffer after newlines with the -l option:

    p = subprocess.Popen(['sed', '-l', 's/a/x/g'],
                         stdout=subprocess.PIPE,
                         stdin=subprocess.PIPE)
    

    and your code should work fine

    0 讨论(0)
  • 2021-02-07 21:25

    sed's output is buffered and only outputs its data until enough has been cumulated or the input stream is exhausted and closed.

    Try this:

    import subprocess
    p = subprocess.Popen(["sed", 's/a/x/g'],
                         stdout = subprocess.PIPE,
                         stdin = subprocess.PIPE)
    
    p.stdin.write("abc\n")
    p.stdin.write("cat\n")
    p.stdin.close()
    
    print "Reading result 1:"
    print p.stdout.readline()
    
    print "Reading result 2:"
    print p.stdout.readline()
    

    Be aware that this cannot be done reliably which huge data as wriring to stdin blocks once the buffer is full. The best way to do is using communicate().

    0 讨论(0)
提交回复
热议问题