Open a process and catch stdout and send custom keypress

478 Views Asked by At

I have this python script (with ncurses):

#! /usr/bin/python3

import sys,os
import curses

def draw_menu(stdscr):
    k = 0
    while (k != ord('q')):
        stdscr.clear()
        height, width = stdscr.getmaxyx()
        stdscr.addstr(0, 0, "Last key is {}".format(k))
        stdscr.refresh()

        k = stdscr.getch()

def main():
    curses.wrapper(draw_menu)

if __name__ == "__main__":
    main()

And these are my last tries (with bad results) to catch stdout and send keypress:

This is with Popen.

from subprocess import Popen, PIPE

#p = Popen('./test5.py', stdin=PIPE, stdout=PIPE, shell=True)
#p = Popen('./test5.py', shell=True)
p = Popen('./test2.py')

print(p.pid)

sleep(100)
p.stdin.write('a')

# p.stdin.close()
# p.stdout.close()
# p.wait()

And this is other with pexpect:

import sys
import pexpect
child = pexpect.spawn('./test5.py', logfile=open("/tmp/file", "wb"))
child.logfile = open("/tmp/file", "wb")
child.expect(pexpect.EOF)
child.send('a')
child.send('q')
child.interact()

I tried with xdotools but I could not catch the stdout.

Is there any form to cheat/hoax a executable for it "belive" that it is running normally?

1

There are 1 best solutions below

0
On

I found the solution is "non blocking read stdout". There are several solution in https://chase-seibert.github.io/blog/2012/11/16/python-subprocess-asynchronous-read-stdout.html and https://gist.github.com/sebclaeys/1232088.

And my solution with the code of question:

import os
import fcntl
import subprocess
p = subprocess.Popen(['./test5.py'], stdin=subprocess.PIPE, stdout=subprocess.PIPE)
fd = p.stdout.fileno()
fl = fcntl.fcntl(fd, fcntl.F_GETFL)
fcntl.fcntl(fd, fcntl.F_SETFL, fl | os.O_NONBLOCK)
p.stdout.read()

p.stdin.write(b'u')
p.stdin.flush()

p.stdout.read()

p.stdin.write(b'u')
p.stdin.flush()

p.stdout.read()
p.poll()

p.stdin.write(b'q')
p.stdin.flush()

p.poll()