subprocess执行命令后的对象.stdin.write报错Errno 32 Broken pipe
时间: 2023-12-15 10:56:49 浏览: 167
这个错误通常是由于子进程提前结束或者被杀死导致的。当父进程调用`subprocess.Popen()`创建子进程时,子进程的标准输入、标准输出和标准错误输出管道被打开。如果子进程提前结束或者被杀死,这些管道就会被关闭,从而导致父进程在向管道中写入数据时出现`Broken pipe`错误。
要解决这个问题,可以在使用`subprocess.Popen()`创建子进程时,将`stdin`参数设置为`subprocess.PIPE`,这样就可以在父进程中使用`subprocess.communicate()`方法向子进程发送数据,而不是直接向`stdin`管道中写入数据。这种方式可以确保在子进程结束前,父进程不会关闭`stdin`管道。
另外,还可以在父进程中使用`try-except`语句捕获`BrokenPipeError`异常,从而避免程序因为这个错误而崩溃。例如:
```
import subprocess
p = subprocess.Popen(['your_command'], stdin=subprocess.PIPE)
try:
p.stdin.write(b'some_data')
except BrokenPipeError:
pass
```
这样就可以避免程序因为`Broken pipe`错误而崩溃。
相关问题
解释一下这段代码def deal_data_with_exe(path): file_path = str(path)+" \n" exe = subprocess.Popen("E:\soft\RRS_Decoder_1-04_dos.exe", stdin=subprocess.PIPE, stdout=subprocess.PIPE,stderr=subprocess.PIPE, shell=True) exe.stdin.write(file_path.encode()) # 命令输入 exe.stdin.write(' \n'.encode()) exe.stdin.write(' \n'.encode()) exe.stdin.close() out = exe.stderr.read() print(out.decode())
这段代码的作用是将一个文件路径作为参数传递给一个名为RRS_Decoder_1-04_dos.exe的可执行文件进行处理。首先将文件路径转换成字符串并添加一个换行符。然后使用subprocess.Popen()来启动可执行文件,并将标准输入(stdin)连接到一个管道(pipe),将标准输出(stdout)和标准错误(stderr)连接到另一个管道(pipe)。最后,使用exe.stdin.write()将文件路径以二进制编码的形式写入到标准输入(stdin)管道中,以便供可执行文件读取和处理。
subprocess.Popen由于使用p.stdin.write导致不能正常运行
`subprocess.Popen` 是 Python 中用于创建新进程的标准库模块。如果使用 `p.stdin.write` 时导致程序不能正常运行,这可能是由于以下原因之一:
1. `p.stdin.write` 操作时写入的内容没有加上换行符 `\n`,导致子进程没有读取到完整的一行数据。可以在写入内容时加上换行符,例如:`p.stdin.write('hello\n')`。
2. 子进程使用的命令行工具不支持从标准输入中读取数据,例如一些图形化界面的应用程序。这种情况下,可以尝试使用其他的进程通信方式,如管道或者套接字。
3. 程序在写入数据后没有调用 `p.stdin.flush()` 方法,导致数据没有被及时传递给子进程。可以在写入数据后调用 `flush` 方法,例如:`p.stdin.write('hello\n') p.stdin.flush()`。
4. 其他原因导致。如果以上方法都没有解决问题,可以考虑检查子进程的输出和错误信息,以帮助确定问题所在。可以使用以下代码获取子进程的输出和错误信息:
```python
out, err = p.communicate()
print(out)
print(err)
```
这会阻塞主进程,直到子进程结束并返回输出和错误信息。
阅读全文