小编典典

如何操作:close_fds = True并在Windows上重定向stdout / stderr

python

我有一个问题:使用Python 2.7,无法使用创建子进程

subprocess.Popen([.......], close_fds=True, stdout=subprocess.PIPE, ...)

在Windows上,由于限制。close_fds在我的情况下,需要使用,因为我不希望子进程从已打开的文件file-descriptor继承。

这是一个已知的错误,已在Python
3.4+
修复。

我的问题是:如何使用子流程而不获取

如果您重定向stdin / stdout / stderr,Windows平台上不支持close_fds

在下面回答


阅读 208

收藏
2021-01-16

共1个答案

小编典典

默认情况下,此问题已在Python 3.7+上修复

这绝对是一个棘手的技巧:答案是在使用subprocess模块之前迭代已打开的文件描述符。

def _hack_windows_subprocess():
    """HACK: python 2.7 file descriptors.
    This magic hack fixes https://bugs.python.org/issue19575
    by adding HANDLE_FLAG_INHERIT to all already opened file descriptors.
    """
    # See https://github.com/secdev/scapy/issues/1136
    import stat
    from ctypes import windll, wintypes
    from msvcrt import get_osfhandle

    HANDLE_FLAG_INHERIT = 0x00000001

    for fd in range(100):
        try:
            s = os.fstat(fd)
        except:
            continue
        if stat.S_ISREG(s.st_mode):
            handle = wintypes.HANDLE(get_osfhandle(fd))
            mask   = wintypes.DWORD(HANDLE_FLAG_INHERIT)
            flags  = wintypes.DWORD(0)
            windll.kernel32.SetHandleInformation(handle, mask, flags)

这是一个没有它就会崩溃的示例:

import os, subprocess
f = open("a.txt", "w")
subprocess.Popen(["cmd"], stdin=subprocess.PIPE, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)
f.close()
os.remove(f.name)

追溯(最近一次通话):

文件“ stdin”,第1行,在模块中

WindowsError:[错误32]自动处理程序,自动处理程序:’a.txt’

现在修复:

import os, subprocess
f = open("a.txt", "w")
_hack_windows_subprocess()
subprocess.Popen(["cmd"], stdin=subprocess.PIPE, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)
f.close()
os.remove(f.name)

作品。

希望我有所帮助

2021-01-16