Python写自动化之启动进程并获取进程输出

当我们需要执行外部命令或自己写一个自动化执行器时,需要使用到启动进程并获取输出的操作

首先,我们启动进程采用Python的subprocess模块,为了保证标准输出和标准错误输出能够正常运行,启动两个线程来检测输出结果部分

class Daemon(threading.Thread):
    def __init__(self, workDir, logFunction=None, *args):
        threading.Thread.__init__(self)
        self.process = None
        self.args = args
        self.workDir = workDir
        self.errList = []
        self.stdOut = ""
        self.stdErr = ""
        self.isEnd = False
        self.logFunction = logFunction

    def _start_process(self):
        if self.workDir == "":
            self.workDir = None
        allParas = []
        for arg in self.args:
            if arg:
                allParas.extend(arg)

        commandStr = " ".join(allParas)
        try:
            commandStr = commandStr.encode("gbk")
        except:
            pass
        try:
            self.runPath = self.runPath.encode("gbk")
        except:
            pass
        lines = ["@echo off"]
        lines.append(commandStr)

        tempFilePath = util.get_temp_file("bat")
        tempScriptFile = open(tempFilePath, "w")
        tempScriptFile.write("\n".join(lines))
        tempScriptFile.close()

        self.process = subprocess.Popen("\"" + tempFilePath + "\"", stdin=subprocess.PIPE,
                                        stdout=subprocess.PIPE, stderr=subprocess.PIPE, cwd=self.workDir, shell=True)

        # 循环输出标准输出内容,避免阻塞
        stdoutThread = ReadLogThread(self.process.stdout)
        stdoutThread.start()

        stderrThread = ReadLogThread(self.process.stderr)
        stderrThread.start()
        while self.process.poll() is None:
            time.sleep(0.01)
        self.isEnd = True
        self.stdOut, self.stdErr = stdoutThread.get_log(), stderrThread.get_log()

    def run(self):
        try:
            self._start_process()
        except:
            log.exception(traceback.format_exc())

    def stop(self):
        try:
            if self.process.pid == 0:
                return
            os.system("TaskKill /PID %s /T /F" % self.process.pid)
        except:
            log.exception(traceback.format_exc())
            pass

在看下读取输出的线程代码:

class ReadLogThread(threading.Thread):
    def __init__(self, _pipe):
        threading.Thread.__init__(self)
        self._pipe = _pipe
        self.logList = []

    def run(self):
        while True:
            try:
                line = self._pipe.readline()
                if line == "":
                    break
                self.logList.append(line)
            except:
                break

    def get_log(self):
        return "".join(self.logList)

ok,进程启动函数就封装完成了,那么提供给外部调用的接口怎么来写呢?

我们除了启动进程外,一般还会给进程加一个超时时间,那么代码如下:

def start_process(workDir, timeout=5 * 60, logFunction=None, *args):
    daemon = Daemon(workDir, logFunction, *args)
    daemon.start()
    start = 0
    isTimeout = False
    daemonStd = ""
    daemonErr = ""
    while not daemon.isEnd:
        if start > timeout:
            daemon.stop()
            isTimeout = True
            daemonErr = "\n".join(daemon.errList)
            break
        time.sleep(0.1)
        start += 0.1
    if daemon.stdOut != "":
        daemonStd = daemon.stdOut
    if daemon.stdErr != "":
        daemonErr = daemon.stdErr

    return util.get_unicode_str(daemonStd), util.get_unicode_str(daemonErr), isTimeout

这样,外部调用方式就是process.start_process(workDir, timeout, logFunction, args),然后就可以获取到标准输出、错误输出及是否执行超时等相关信息了

欢迎关注“搜狗测试”公众号,每天一篇测试相关的文章与您分享,共同讨论软件测试的技术与发展

转载请注明:http://blog.csdn.net/sogouauto

时间: 2024-12-16 20:58:11

Python写自动化之启动进程并获取进程输出的相关文章

根据进程名称获取进程id

# -*- conding:utf-8-*- import subprocess def getpid_windows(process_name):    """利用cmd_str = tasklist|find /i "xdict.exe" 来查找windows平台的进程id"""    cmd_line = 'tasklist|find /i "%s"' %process_name    pp = su

C#根据进程名称获取进程的句柄?

C#根据进程名称获取进程的句柄或C#如何获取其他进程的句柄? 不用FindWindow方法! [StructLayout(LayoutKind.Sequential)] public struct ProcessEntry32 { public uint dwSize; public uint cntUsage; public uint th32ProcessID; public IntPtr th32DefaultHeapID; public uint th32ModuleID; public

根据进程ID获取进程路径

根据进程ID获取进程路径有两种方法:方法1:OpenProcess --> GetModuleFileNameEx方法2:OpenProcess --> EnumProcessModules --> GetModuleFileNameEx 注意事项:1.使用GetModuleFileNameEx()而不是GetModuleFileName()2.GetModuleFileNameEx()指定的hProcess需要PROCESS_QUERY_INFORMATION | PROCESS_VM

C#依据进程名称获取进程的句柄?

C#依据进程名称获取进程的句柄或C#怎样获取其它进程的句柄? 有时候标题名是动态变化的,所以不使用FindWindow方法! [StructLayout(LayoutKind.Sequential)] public struct ProcessEntry32 { public uint dwSize; public uint cntUsage; public uint th32ProcessID; public IntPtr th32DefaultHeapID; public uint th32

Python写自动化之以不同优先级启动进程

在windows上的进程,可以设置优先级,如下图 那么,如果我们在自动化测试过程中,需要设置进程的优先级,如何来做呢? 下面使用win32相关的接口实现此功能,代码如下: # 获取用户句柄 hToken = win32security.OpenProcessToken(win32api.GetCurrentProcess(), win32con.TOKEN_DUPLICATE | win32con.TOKEN_ADJUST_DEFAULT |win32con.TOKEN_QUERY | win3

Python写自动化之写一个Windows 服务

Python 写windows 服务,需要使用 pywin32包. 直接上代码: #encoding=utf8 ''' Created on 2014-7-1 @author: wangmengnan ''' import os import sys import win32serviceutil import win32service import win32event class PythonService(win32serviceutil.ServiceFramework): #服务名 _

Python写自动化之logging日志写入

日志写入是我们日常工作中常用到的功能,我们可以直接使用写文件的方式来以自己的方式写日志,另外,当我们在一个比较大的项目中,涉及到日志写入时,一般会使用logging模块来进行日志的写入,第一步,先写一个单例,创建一个logger对象: def _instance(): global logger if logger is None: logging.config.fileConfig(os.path.join(util.get_current(), "logger.conf")) lo

Python写自动化之获取文件的MD5值

使用Python 获取文件的MD5 值是一件很简单的事情,Python 提供了md5 和 hashlib 两个模块,都可以获取到文件的md5值. 代码如下: #获取文件的MD5值,适用于小文件 def getFileMD5(self,filepath): if self.isFile(filepath): f = open(filepath,'rb') md5obj = hashlib.md5() md5obj.update(f.read()) hash = md5obj.hexdigest()

Python写自动化之构造Multipartform-data发请求

在HTTP协议的规范中会将http请求分为三个部分:状态行,请求头,请求体.在发送HTTP请求时,需要在请求头中注明发送的方法,这些方法包括:OPTIONS.GET.HEAD.POST.PUT.DELETE.TRACE.CONNECT.其中GET和POST是最为普遍被使用的.有关POST和GET的区别,知识库中已经有同学进行了表述,这里主要介绍一下multipart/form-data请求具体是怎么一回事. 在普通的HTML Form Post请求中,它会在头信息里使用Content-Lengt