3

在从属模式下运行时,我试图通过管道向 mplayer 发送命令,如下所示:

import subprocess, time
# start mplayer
song = 'mysong.mp3'
cmd = ['mplayer', '-slave', '-quiet', song]
p = subprocess.Popen(cmd, stdout=subprocess.PIPE, stdin=subprocess.PIPE)

# send a command every 3 seconds.
# Full command reference here: http://www.mplayerhq.hu/DOCS/tech/slave.txt 
while True:
    print('sleep 3 seconds ...')
    time.sleep(3)
    cmd = 'get_meta_artist'
    print('send command: {}'.format(cmd))
    p.stdin.write(cmd)
    output = p.communicate()[0]
    print(output)

但输出什么都没有。

我从这个问题中举了一个例子。

在终端中运行相同的 mplayer 命令可以正常工作。我在这里想念什么?

更新:

我将 cmd 从“get_meta_artist”更改为“get_meta_artist\n”,以便将换行符也发送到管道,但输出中仍然没有任何内容。

更新2:

我把 cmd 改成“\npause\n”,音乐就暂停了。所以这意味着通过标准输入发送命令有效。这意味着“\nget_meta_artist\n”命令的输出字符串没有按预期返回......

4

2 回答 2

5

每个子进程只能使用.communicate()一次。所以在while循环中使用它是行不通的。

相反,您应该p.stdout直接解析 的输出。如果有答案,每个答案似乎只有一行。

为了防止阻塞,您有 3 个选项:

  1. 使用线程。您有一个单独的线程从主线程读取p.stdout数据并将其发送到主线程。如果没有数据可用,它会阻塞。

  2. 设置p.stdout为非阻塞模式。本质上,您必须这样做:

    import fcntl, os
    fcntl.fcntl(p.stdout.fileno(), fcntl.F_SETFL,
        fcntl.fcntl(p.stdout.fileno(), fcntl.F_GETFL) | os.O_NONBLOCK)
    

    如果您在没有可用数据的情况下阅读,则会出现异常 ( IOError: [Errno 11] Resource temporarily unavailable)。

  3. 使用select.select():p.stdout.readline()仅当select.select([p.stdout], [], [], <timeout>)[0]是非空列表时才执行。在这种情况下,给定的文件对象保证有可用的数据并且不会阻塞读取。

为了将“垃圾输出”与“有用”输出分开,您可以这样做:

def perform_command(p, cmd, expect):
    import select
    p.stdin.write(cmd + '\n') # there's no need for a \n at the beginning
    while select.select([p.stdout], [], [], 0.05)[0]: # give mplayer time to answer...
        output = p.stdout.readline()
        print("output: {}".format(output.rstrip()))
        split_output = output.split(expect + '=', 1)
        if len(split_output) == 2 and split_output[0] == '': # we have found it
            value = split_output[1]
            return value.rstrip()

然后做

print perform_command(p, 'get_meta_artist', 'ANS_META_ARTIST')
print perform_command(p, 'get_time_pos', 'ANS_TIME_POSITION')
于 2013-04-06T23:16:19.447 回答
1

我现在这样做,我开始得到输出:

 while True:
    cmd = '\nget_meta_artist\n'
    p.stdin.write(cmd)
    output = p.stdout.readline()
    print("output: {}".format(output.rstrip()))
    sys.stdout.flush()

虽然我仍然需要想办法绕过 mplayer 自己的初始化标准输出的第一次刷新,但我认为我的问题已经解决了。

感谢 glglgl 给我有用的提示。

于 2013-04-07T02:47:47.850 回答