打开一个进程并捕获标准输出并发送自定义按键



我有这个python脚本(带有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()

这些是我最后一次尝试(结果不好(来捕获标准输出并发送按键:

这是与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()

这是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()

我尝试了xdotools但我无法抓住标准。

是否有任何形式可以欺骗/恶作剧可执行文件,使其"相信"它正在运行正常运行?

我发现解决方案是"非阻塞读取标准输出"。https://chase-seibert.github.io/blog/2012/11/16/python-subprocess-asynchronous-read-stdout.html 和 https://gist.github.com/sebclaeys/1232088 有几种解决方案。

我的解决方案与问题代码

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()

最新更新