python 内置模块 subprocess

1、介绍

subprocess模块可以生成新的进程,连接到它们的input/output/error管道,同时获取它们的返回码。

2、基本操作方法

2.1、subprocess的run、call、check_call、check_output函数

subprocess.run(args[, stdout, stderr, shell ...])

  • 执行args命令,返回值为CompletedProcess类;
  • 若未指定stdout,则命令执行后的结果输出到屏幕上,函数返回值CompletedProcess中包含有args和returncode;
  • 若指定有stdout,则命令执行后的结果输出到stdout中,函数返回值CompletedProcess中包含有args、returncode和stdout;
  • 若执行成功,则returncode为0;若执行失败,则returncode为1;
  • 若想获取args命令执行后的输出结果,命令为:output = subprocess.run(args, stdout=subprocess.PIPE).stdout

subprocess.call(args[, stdout, ...])

  • 执行args命令,返回值为命令执行状态码;
  • 若未指定stdout,则命令执行后的结果输出到屏幕;
  • 若指定stdout,则命令执行后的结果输出到stdout;
  • 若执行成功,则函数返回值为0;若执行失败,则函数返回值为1;
  • (类似os.system)

subprocess.check_call(args[, stdout, ...])

  • 执行args命令,返回值为命令执行状态码;
  • 若未指定stdout,则命令执行后的结果输出到屏幕;
  • 若指定stdout,则命令执行后的结果输出到stdout;
  • 若执行成功,则函数返回值为0;若执行失败,抛出异常;
  • (类似subprocess.run(args, check=True))

subprocess.check_output(args[, stderr, ...])

  • 执行args命令,返回值为命令执行的输出结果;
  • 若执行成功,则函数返回值为命令输出结果;若执行失败,则抛出异常;
  • (类似subprocess.run(args, check=True, stdout=subprocess.PIPE).stdout)

其他

  1. args:启动进程的参数,默认为字符串序列(列表或元组),也可为字符串(设为字符串时一般需将shell参数赋值为True);
  2. shell:shell为True,表示args命令通过shell执行,则可访问shell的特性;
  3. check:check为True时,表示执行命令的进程以非0状态码退出时会抛出;subprocess.CalledProcessError异常;check为False时,状态码为非0退出时不会抛出异常;
  4. stdout、stdin、stderr:分别表示程序标准标输出、输入、错误信息;
  5. run函数返回值为CompletedProcess类,若需获取执行结果,可通过获取返回值的stdout和stderr来捕获;
  6. check_output函数若需捕获错误信息,可通过stderr=subprocess.STDOUT来获取;

示例

# ################### subprocess.run 使用
def subprocess_run():result1 = subprocess.run(["adb", "devices"])print("result1:", result1)print("----------")result2 = subprocess.run("adb devices", shell=True, check=True)print("result2:", result2)print("----------")result3 = subprocess.run(["adb", "devices"], stdout=subprocess.PIPE)print("result3:", result3)print(type(result3))
subprocess_run()""" 输出如下
List of devices attached
338b123f0504    deviceresult1: CompletedProcess(args=['adb', 'devices'], returncode=0)
----------
List of devices attached
338b123f0504    deviceresult2: CompletedProcess(args='adb devices', returncode=0)
----------
result3: CompletedProcess(args=['adb', 'devices'], returncode=0, stdout=b'List of devices attached \r\n338b123f0504\tdevice\r\n\r\n')
<class 'subprocess.CompletedProcess'>
"""# ###################  subprocess.call使用
def subprocess_call():result1 = subprocess.call(["adb", "devices"])print("result1:", result1)print("----------")result2 = subprocess.call(["adb", "devices"], stdout=subprocess.PIPE)print("result2:", result2)
subprocess_call()"""结果
List of devices attached
338b123f0504    deviceresult1: 0
----------
result2: 0
"""# ###################  subprocess.check_call
def subprocess_check_call():result1 = subprocess.check_call(["adb", "devices"])print("result1:", result1)print("----------")result2 = subprocess.check_call(["adb", "devices"], stdout=subprocess.PIPE)print("result2:", result2)
subprocess_check_call()"""结果
List of devices attached
338b123f0504    deviceresult1: 0
----------
result2: 0
"""# ###################  subprocess.check_output
def subprocess_check_output():result1 = subprocess.check_output(["adb", "devices"])print("result1:", result1)print("----------")result2 = subprocess.run(["adb", "devices"], stdout=subprocess.PIPE).stdoutprint("result2:", result2)
subprocess_check_output()"""结果
result1: b'List of devices attached \r\n338b123f0504\tdevice\r\n\r\n'
----------
result2: b'List of devices attached \r\n338b123f0504\tdevice\r\n\r\n'
"""

2.2、subprocess的getoutput、getstatusoutput函数

subprocess.getoutput(cmd)

执行cmd命令,返回值为命令执行的输出结果(字符串类型);执行失败,不会抛出异常(类似os.popen(cmd).read());

cmd:参数,字符串类型;

subprocess.getstatusoutput(cmd)

执行cmd命令,返回值为元组类型(命令执行状态, 命令执行的输出结果);元组中命令执行状态为0,表示执行成功;命令执行状态为1,表示执行失败;

cmd:参数,字符串类型;

示例

# subprocess.getoutput或getstatusoutput使用
def subprocess_get_output():result1 = subprocess.getoutput("adb devices")print("result1:", result1)print(type(result1))print("**** subprocess.getstatusoutput ****")result2 = subprocess.getstatusoutput("adb devices")print("result2:", result2)print(type(result2))
subprocess_get_output()
"""结果
**** subprocess.getoutput ****
result1: List of devices attached
338b123f0504    device<class 'str'>
**** subprocess.getstatusoutput ****
result2: (0, 'List of devices attached \n338b123f0504\tdevice\n')
<class 'tuple'>
"""

3、 subprocess.Popen类

subprocess.Popen类用于在一个新进程中执行一个子程序,上述subprocess函数均是基于subprocess.Popen类;

subprocess.Popen(args[, bufsize, stdin, stdout, stderr, ...]) 语法

Popen类的构造函数,返回结果为subprocess.Popen对象;

  1. args:需要执行的系统命令,可为字符串序列(列表或元组,shell为默认值False即可,建议为序列),也可为字符串(使用字符串时,需将shell赋值为True);
  2. shell:默认False,若args为序列时,shell=False;若args为字符串时,shell=True,表示通过shell执行命令;
  3. stdout、stdin、stderr:分别表示子程序标准输出、标准输入、标准错误,可为subprocess.PIPE、一个有效的文件描述符、文件对象或None。
    若为subprocess.PIPE:代表打开通向标准流的管道,创建一个新的管道;
    若为None:表示没有任何重定向,子进程会继承父进程;
    stderr也可为subprocess.STDOUT:表示将子程序的标准错误输出重定向到了标准输出
  4. bufsize:默认0;指定缓冲策略,0表示不缓冲,1表示行缓冲,其它整数表示缓冲区大小,负数表示使用系统
  5. cwd:默认None;若非None,则表示将会在执行这个子进程之前改变当前工作目录;
  6. env:用于指定子进程的环境变量。若env为None,那么子进程的环境变量将从父进程中继承;若env非None,则表示子程序的环境变量由env值来设置,它的值必须是一个映射对象。
  7. universal_newlines: 不同系统的换行符不同。若True,则该文件对象的stdin,stdout和stderr将会以文本流方式打开;否则以二进制流方式打开
  8. preexec_fn:只在Unix平台下有效,用于指定一个可执行对象(callable object),它将在子进程运行之前被调用。
  9. Close_sfs:在windows平台下,如果close_fds被设置为True,则新创建的子进程将不会继承父进程的输入、输出、错误管道。我们不能将close_fds设置为True同时重定向子进程的标准输入、输出与错误(stdin, stdout, stderr)。
  10. startupinfo与createionflags只在windows下有效,它们将被传递给底层的CreateProcess()函数,用于设置子进程的一些属性,如:主窗口的外观,进程的优先级等等。

subprocess.Popen对象常用方法

下列 PopenObject 为 subprocess.Popen 对象

  • PopenObject.poll() :用于检查命令是否已经执行结束,若结束返回状态码;若未结束返回None;
  • PopenObject.wait([timeout, endtime]):等待子进程结束,并返回状态码;若超过timeout(s)进程仍未结束,则抛出异常;
  • PopenObject.send_signal(signal):发送信号signal给子进程;
  • PopenObject.terminate():停止子进程;在windows平台下,该方法将调用Windows API TerminateProcess()来结束子进程。
  • PopenObject.kill():杀死子进程;
  • PopenObject.communicate([input, timeout]):与进程进行交互(如向stdin发送数据,或从stdout和stderr中读取数据),它会阻塞父进程,直到子进程完成;注意:如果希望通过进程的stdin向其发送数据,在创建Popen对象的时候,参数stdin必须被设置为PIPE。同样,如果希望从stdout和stderr获取数据,必须将stdout和stderr设置为PIPE。
    • input:表示将发送到子进程的字符串数据,默认为None;
    • timeout:超时判断,若超过timeout秒后仍未结束则抛出TimeoutExpired异常;
    • communicate返回值:一个元组(stdout_data, stderr_data)
    • 要注意的是,subprocess.PIPE实际上为文本流提供一个缓存区。直到communicate()方法从PIPE中读取出PIPE中的文本.此方法比wait()好用。https://www.jianshu.com/p/8e582146bd4c
  • PopenObject.pid:获取子进程的进程ID。
  • PopenObject.returncode:获取进程的返回值。如果进程还没有结束,返回None。

subprocess.Popen 对象的文本或字节流控制

  • PopenObject.stdin:
    若PopenObject中stdin为PIPE,则返回一个可写流对象;若encoding或errors参数被指定或universal_newlines参数为True,则此流是一个文件流,否则为字节流。
    若PopenObject中stdin不是PIPE,则属性为None。
    stdin输入流非None,可执行写操作即PopenObject.stdin.write(s)

  • PopenObject.stdout:
    若PopenObject中stdout为PIPE,则返回一个可读流对象;若encoding或errors参数被指定或universal_newlines参数为True,则此流是一个文件流,否则为字节流。
    若PopenObject中stdout不是PIPE,则属性为None。
    stdout输出流非None,可执行读操作即PopenObject.stdout.read()或.readlines()

  • PopenObject.stderr:
    若PopenObject中stderr为PIPE,则返回一个可读流对象;若encoding或errors参数被指定或universal_newlines参数为True,则此流是一个文件流,否则为字节流。
    若PopenObject中stderr不是PIPE,则属性为None。
    stderr错误流非None,可执行读操作即PopenObject.stderr.read()或.readlines()

def subprocess_Popen1():print("***通过communicate函数分别输出PopenObject对象的输出流和错误流***")args = [["adb", "devices"], ["adb", "devices11"]]for arg in args:popen_object = subprocess.Popen(arg, stdout=subprocess.PIPE, stderr=subprocess.PIPE)object_stdout, object_stderr = popen_object.communicate()output = {"popen_object": popen_object,"object_stdout": object_stdout,"object_stderr": object_stderr}print(output)"""{'popen_object': <subprocess.Popen object at 0x0000000002212400>, 'object_stdout': b'List of devices attached \r\n106D111805005938\tdevice\r\n\r\n', 'object_stderr': b''}{'popen_object': <subprocess.Popen object at 0x0000000002577C18>, 'object_stdout': b'', 'object_stderr': b'Android Debug Bridge version 1.0.31\r\n\r\n -a .....}"""print("***通过stdout和stderr方法输出PopenObject对象输出流和错误流***")p0 = subprocess.Popen(["adb", "devices"], stdout=subprocess.PIPE, stderr=subprocess.PIPE)object_stdout = p0.stdout.read()p0.stdout.close()object_stderr = p0.stderr.read()p0.stderr.close()print(object_stdout)        # 结果:b'List of devices attached \r\n338b123f0504\tdevice\r\n\r\n'print(object_stderr)        # 结果:b''print("***Popen对象stdin写入功能:使用stdout和stderr输出")args = ["python", "python1"]for arg in args:p4 = subprocess.Popen([arg], shell=True, stdout=subprocess.PIPE,stdin=subprocess.PIPE, stderr=subprocess.PIPE, universal_newlines=True)p4.stdin.write("print('hello')")p4.stdin.close()out = p4.stdout.read()p4.stdout.close()err = p4.stderr.read()p4.stderr.close()print("out:%s err:%s" % (out, err))"""***Popen对象stdin写入功能out:helloerr:out: err:'python1' 不是内部或外部命令,也不是可运行的程序或批处理文件。"""print("***Popen对象stdin写入功能:使用communicate输出")p4 = subprocess.Popen(["python"], stdout=subprocess.PIPE,stdin=subprocess.PIPE, stderr=subprocess.PIPE, universal_newlines=True)p4.stdin.write("print('hello')")output = p4.communicate()print(output)       # 结果:('hello\n', '')print("***不含encoding参数***")p1 = subprocess.Popen("adb devices", shell=True, stdout=subprocess.PIPE)out1 = p1.stdout.readlines()print(out1)         # 结果: [b'List of devices attached \r\n', b'106D111805005938\tdevice\r\n', b'\r\n']print("***含encoding参数***")p2 = subprocess.Popen("adb devices", shell=True, stdout=subprocess.PIPE, encoding="utf-8")out2 = p2.stdout.readlines()print(out2)         # 结果: ['List of devices attached \n', '106D111805005938\tdevice\n', '\n']print("***Popen对象检查命令是否结束,等待进程结束")print(p2.poll())    # 结果: Noneprint(p2.wait())    # 结果: 0print(p2.poll())    # 结果: 0print("***Popen对象communicate函数,它会阻塞父进程直至子进程完成")p3 = subprocess.Popen("adb devices", shell=True, stdout=subprocess.PIPE)out = p3.communicate()[0]print(out)          # 结果:b'List of devices attached \r\n338b123f0504\tdevice\r\n\r\n'print(p3.poll())    # 结果:0
subprocess_Popen1()def subprocess_Popen2():"""1. 通过管道功能,实现adb shell ps | findstr top功能2. 直接为args赋值为一个字符串,实现adb shell ps | findstr top功能:return:"""print("***通过管道方式***")p1 = subprocess.Popen(["adb", "shell", "ps"], stdout=subprocess.PIPE)p2 = subprocess.Popen(["findstr", "top"], stdin=p1.stdout, stdout=subprocess.PIPE, stderr=subprocess.PIPE)out, err = p2.communicate()print(out, err)         # 结果:b'shell     8508  8504  2600   1044  c004e5f8 b6f40938 S top\r\r\n' b''print("***通过传一个字符串方式***")p3 = subprocess.Popen("adb shell ps | findstr top", shell=True, stdout=subprocess.PIPE, stderr=subprocess.PIPE)out, err = p3.communicate()print(out, err)         # 结果:b'shell     8508  8504  2600   1044  c004e5f8 b6f40938 S top\r\r\n' b''
subprocess_Popen2()

报错解决

报错信息

Traceback (most recent call last):File "C:\Users\fenglepeng\.conda\envs\py37\lib\threading.py", line 926, in _bootstrap_innerself.run()File "C:\Users\fenglepeng\.conda\envs\py37\lib\threading.py", line 870, in runself._target(*self._args, **self._kwargs)File "C:\Users\fenglepeng\.conda\envs\py37\lib\subprocess.py", line 1267, in _readerthreadbuffer.append(fh.read())
UnicodeDecodeError: 'gbk' codec can't decode byte 0xac in position 421: illegal multibyte sequence

解决

# 参数中增加 encoding='utf-8'
sub = subprocess.Popen(command, shell=True, cwd=cwd, universal_newlines=True,stdout=subprocess.PIPE, stdin=subprocess.PIPE,stderr=subprocess.PIPE, encoding='utf-8')

 

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/453886.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Windows下的FFmpeg 、MEncoder、MPlayer下载地址

视频转码常用的是MEncoder&#xff0c;这个工具包含在MPlayer中&#xff0c;也可以使用FFmpeg&#xff0c;但据说有些格式转换的时候效率不及MEcoder&#xff0c;所以能用MEncoder转换的尽量用MEncoder转换&#xff0c;由于MEncoder暂时还没有研究&#xff0c;等研究过了再补充…

功率曲线k值_什么叫离心泵的流量——功率曲线?它们之间有什么关系?

流量和功率之间为正比例关系。流量增加时功率也增加&#xff0c;增加快、慢与比转数有关。比转数越小&#xff0c;流量增加后功率增加越快&#xff1b;比转数越大&#xff0c;流量增加后功率增加越慢。 离心泵的性能参数与特性曲线泵的性能及相互之间的关系是选泵和进行流量调节…

什么是CI/CD

一、简介 CI / CD的采用改变了开发人员和测试人员如何发布软件。 最初是瀑布模型&#xff0c;后来是敏捷开发&#xff0c;现在是DevOps&#xff0c;这是现代开发人员构建出色的产品的技术路线。随着DevOps的兴起&#xff0c;出现了持续集成&#xff08;Continuous Integration…

FFmpeg在Windows系统下的编译过程

由于FFMpeg是基于Linux开发的开源项目&#xff0c;源代码和Windows下最常见的Visual Studio提供的C/C编译器不兼容&#xff0c;因此它不能使用MSVC编译。要想使用FFMpeg&#xff0c;最先要解决的问题就是在Windows下配置一个类似Linux的编译环境&#xff0c;将FFMpeg编译为二进…

centos 文件夹网络连接_centos8 安装后网络不通及网络配置

一 修改配置文件设置网络时首先打开配置文件&#xff0c;配置文件默认如下所示&#xff0c;如果使用dhcp自动获取ip&#xff0c;只需将ONBOOTno修改为ONBOOTno即可。#网卡配置文件按默认配置TYPEEthernetPROXY_METHODnoneBROWSER_ONLYnoBOOTPROTOdhcpDEFROUTEyesIPV4_FAILURE_F…

STM32 HAL库详解 及 手动移植

源&#xff1a; STM32 HAL库详解 及 手动移植转载于:https://www.cnblogs.com/LittleTiger/p/8044047.html

Python 内置函数之 open (文件操作)

正常的文件操作都分三步走&#xff1a;打开文件&#xff0c;操作文件&#xff0c;关闭文件。 python open() 函数用于打开一个文件&#xff0c;创建一个 file 对象&#xff0c;相关的方法才可以调用它进行读写 语法 文件句柄 open(文件名,模式) 例如&#xff1a;f open(a…

windows系统下_ffmpeg编译_2011年

ffmpeg开源库在linux系统下弄的&#xff0c;是一个很全的音频和视频的编解码库要在windows下编译出用于开发的lib库确实比linux下要麻烦&#xff0c;百度了很久&#xff0c;参照别人的见解终于成功编译出自己需要的可以用于开发的库&#xff08;dll的形式&#xff0c;附带dll的…

部署WEB项目到服务器(三)安装mysql到linux服务器(Ubuntu)详解

突发奇想&#xff0c;想在自己电脑上部署一个web网站。 1&#xff0c;首先是下载一个适合自己已安装服务器版本的mysql数据库。 这里使用网上的链接http://dev.mysql.com/downloads/mysql/5.6.html#downloads 或者使用代理网站上下载&#xff1a;https://mirrors.huaweicloud.c…

在Windows下编译ffmpeg完全手册

本文的内容几乎全部来自于FFmpeg on Windows&#xff0c;但是由于国内的网络封锁&#xff0c;很难访问这个域名下的内容&#xff0c;因此我一方面按照我自己的理解和实践做了翻译&#xff0c;另一方面也是为了能提供一个方便的参考方法。 注&#xff1a; 1. 对于compil…

padding和卷积的区别_TensorFlow笔记1——20.CNN卷积神经网络padding两种模式SAME和VALID...

第1种解说&#xff1a;(核心最后一张图&#xff0c;两种填充方式输出的形状尺寸计算公式)在用tensorflow写CNN的时候&#xff0c;调用卷积核api的时候&#xff0c;会有填padding方式的参数&#xff0c;找到源码中的函数定义如下&#xff08;max pooling也是一样&#xff09;&am…

MORMOT数据库连接池

MORMOT数据库连接池 MORMOT封装了一堆的PROPS控件&#xff0c;用于连接各种数据库。 MORMOT的封装是武装到了牙齿的&#xff0c;这堆PROPS控件居然数据库连接池也封装好了。这就为我们省了不少事&#xff0c;笔者非常喜欢&#xff01; 下面拿TOleDBMSSQLConnectionProperties控…

循环神经网络变形之 (Long Short Term Memory,LSTM)

1、长短期记忆网络LSTM简介 在RNN 计算中&#xff0c;讲到对于传统RNN水平方向进行长时刻序列依赖时可能会出现梯度消失或者梯度爆炸的问题。LSTM 特别适合解决这种需要长时间依赖的问题。 LSTM&#xff08;Long Short Term Memory&#xff0c;长短期记忆网络&#xff09;是R…

Windows 系统下使用 MinGW + MSYS + GCC 编译 FFMPEG

一定要按照顺序操作&#xff0c;否则你很可能持续遇到很多奇怪的问题&#xff08;ffmpeg对编译系统版本要求比较高&#xff09;。 1. www.mingw.org: 下载并安装 MinGW 5.1.4 (http://jaist.dl.sourceforge.net/sourceforge/mingw/MinGW-5.1.4.exe)&#xff0c;安装时选中 g, m…

eclipse怎样改编码格式_Eclipse中各种编码格式及设置

操作系统&#xff1a;Windows 10(家庭中文版)Eclipse版本&#xff1a;Version: Oxygen.1a Release (4.7.1a)刚看到一篇文章&#xff0c;里面介绍说Ascii、Unicode是编码&#xff0c;而GBK、UTD-8等是编码格式。Java中的编码问题(by 迷失之路)&#xff1a;https://www.cnblogs.c…

UE4 ShooterGame Demo的开火的代码

之前一直没搞懂按下鼠标左键开火之后&#xff0c;代码的逻辑是怎么走的&#xff0c;今天看懂了之前没看懂的部分&#xff0c;进了一步 ShooterCharacter.cpp void AShooterCharacter::OnStartFire() {AShooterPlayerController* MyPC Cast<AShooterPlayerController>(Co…

kafka 异常:return ‘<SimpleProducer batch=%s>‘ % self.async ^ SyntaxError: invalid syntax

Python3.X 执行Python编写的生产者和消费者报错&#xff0c;报错信息如下&#xff1a; Traceback (most recent call last): File "mykit_kafka_producer.py", line 9, in <module> from kafka import KafkaProducer File "/usr/local/lib/python3.7/sit…

python 分布式计算框架_漫谈分布式计算框架

如果问 mapreduce 和 spark 什么关系&#xff0c;或者说有什么共同属性&#xff0c;你可能会回答他们都是大数据处理引擎。如果问 spark 与 tensorflow 呢&#xff0c;就可能有点迷糊&#xff0c;这俩关注的领域不太一样啊。但是再问 spark 与 MPI 呢&#xff1f;这个就更远了。…

Codeforces 899D Shovel Sale

题目大意 给定正整数 $n$&#xff08;$2\le n\le 10^9$&#xff09;。 考虑无序整数对 $(x, y)$&#xff08;$1\le x,y\le n, x\ne y$&#xff09;。 求满足 「$xy$ 结尾连续的 9 最多」的数对 $(x,y)$ 的个数。 例子&#xff1a; $n50$&#xff0c;$(49,50)$ 是一个满足条件的…

Windows系统使用minGW+msys 编译ffmpeg 0.5的全过程详述

一.环境配置 1.下载并安装 MinGW-5.1.4.exe (http://jaist.dl.sourceforge.net/sourcef … -5.1.4.exe)&#xff0c;安装时选中 g, mingw make。建议安装到c:/mingw. 2.下载并安装 MSYS-1.0.11-rc-1.exe (http://jaist.dl.sourceforge.net/sourcef … 1-rc-1.exe)&#xff0c;安…