Keep a subprocess alive and keep giving it commands? Python

后端 未结 3 1563
醉话见心
醉话见心 2020-11-28 10:21

If I spawn a new subprocess in python with a given command (let\'s say I start the python interpreter with the python command), how can I send new

3条回答
  •  孤街浪徒
    2020-11-28 10:43

    Use the standard subprocess module. You use subprocess.Popen() to start the process, and it will run in the background (i.e. at the same time as your Python program). When you call Popen(), you probably want to set the stdin, stdout and stderr parameters to subprocess.PIPE. Then you can use the stdin, stdout and stderr fields on the returned object to write and read data.

    Untested example code:

    from subprocess import Popen, PIPE
    
    # Run "cat", which is a simple Linux program that prints it's input.
    process = Popen(['/bin/cat'], stdin=PIPE, stdout=PIPE)
    process.stdin.write(b'Hello\n')
    process.stdin.flush()
    print(repr(process.stdout.readline())) # Should print 'Hello\n'
    process.stdin.write(b'World\n')
    process.stdin.flush()  
    print(repr(process.stdout.readline())) # Should print 'World\n'
    
    # "cat" will exit when you close stdin.  (Not all programs do this!)
    process.stdin.close()
    print('Waiting for cat to exit')
    process.wait()
    print('cat finished with return code %d' % process.returncode)
    

提交回复
热议问题