6

我正在使用 plumbum python 库 (http://plumbum.readthedocs.org/) 作为 shell 脚本的替代品。

我想运行一个命令,当它失败时,它会输出我感兴趣的文件的路径:

$ slow_cmd
Working.... 0%
Working.... 5%
Working... 15%
FAIL. Check log/output.log for details

我想在前台运行程序来检查进度:

from plumbum.cmd import slow_cmd

try:
    f = slow_cmd & FG
except Exception, e:
    print "Something went wrong."

# Need the error output from f to get the log file :(    

slow_cmd失败时,它会抛出异常(我可以捕获)。但我无法从异常或f未来对象中获取错误输出。

如果我不在slow_cmdFG 上运行,异常包含所有输出,我可以从那里读取文件。

4

1 回答 1

6

问题是,FG将输出直接重定向到程序的标准输出。见https://github.com/tomerfiliba/plumbum/blob/master/plumbum/commands.py#L611

当输出以这种方式重定向时,它不会通过铅的机器,所以你不会在异常对象中得到它。如果您愿意阻止直到slow_cmd完成,更好的解决方案是自己从标准输出中读取。这是一个草图:

lines = []
p = slow_cmd.popen()
while p.poll() is None:
    line = p.stdout.readline()
    lines.append(line)
    print line
if p.returncode != 0:
    print "see log file..."

一个更优雅的解决方案是编写自己的 ExecutionModifier(如FG)来复制输出流。让我们称之为TEE(在http://en.wikipedia.org/wiki/Tee_(command)之后)......我没有测试过它,但它应该可以解决问题(减去selectstdout/err ):

class TEE(ExecutionModifier):
    def __init__(self, retcode = 0, dupstream = sys.stdout):
        ExecutionModifier.__init__(self, retcode)
        self.dupstream = dupstream
    def __rand__(self, cmd):
        p = cmd.popen()
        stdout = []
        stderr = []
        while p.poll():
            # note: you should probably select() on the two pipes, or make the pipes nonblocking,
            # otherwise readline would block
            so = p.stdout.readline()
            se = p.stderr.readline()
            if so:
                stdout.append(so)
                dupstream.write(so)
            if se:
                stderr.append(se)
                dupstream.write(se)
        stdout = "".join(stdout)
        stderr = "".join(stderr)
        if p.returncode != self.retcode:
            raise ProcessExecutionError(p.argv, p.returncode, stdout, stderr)
        return stdout, stderr

try:
    stdout, stderr = slow_cmd & TEE()
except ProcessExecutionError as e:
    pass # find the log file, etc.
于 2013-01-09T08:59:36.290 回答