国产xxxx99真实实拍_久久不雅视频_高清韩国a级特黄毛片_嗯老师别我我受不了了小说

資訊專欄INFORMATION COLUMN

python模塊之subprocess模塊級方法

gitmilk / 2567人閱讀

摘要:參數將作為子進程的標準輸入傳遞給方法,必須是需要指定或參數,或者設置為或類型。源碼模塊還提供了版本中模塊的相關函數。實際上是調用函數,在中執行類型的指令,返回形式的元組,包含和是使用解碼的字符串,并刪除了結尾的換行符。

subprocess.run()

運行并等待args參數指定的指令完成,返回CompletedProcess實例。

參數:(*popenargs, input=None, capture_output=False, timeout=None, check=False, **kwargs)。除input, capture_output, timeout, check,其他參數與Popen構造器參數一致。

capture_output:如果設置為True,表示重定向stdout和stderr到管道,且不能再傳遞stderrstdout參數,否則拋出異常。

input:input參數將作為子進程的標準輸入傳遞給Popen.communicate()方法,必須是string(需要指定encoding或errors參數,或者設置text為True)或byte類型。非None的input參數不能和stdin參數一起使用,否則將拋出異常,構造Popen實例的stdin參數將指定為subprocess.PIPE。

timeout:傳遞給Popen.communicate()方法。

check:如果設置為True,進程執行返回非0狀態碼將拋出CalledProcessError異常。

# 源碼

def run(*popenargs, input=None, capture_output=False, timeout=None, check=False, **kwargs):
    if input is not None:
        if "stdin" in kwargs:
            raise ValueError("stdin and input arguments may not both be used.")
        kwargs["stdin"] = PIPE
    
    if capture_output:
        if ("stdout" in kwargs) or ("stderr" in kwargs):
            raise ValueError("stdout and stderr arguments may not be used "
                             "with capture_output.")
        kwargs["stdout"] = PIPE
        kwargs["stderr"] = PIPE
    
    with Popen(*popenargs, **kwargs) as process:
        try:
            stdout, stderr = process.communicate(input, timeout=timeout)
        except TimeoutExpired:
            process.kill()
            stdout, stderr = process.communicate()
            raise TimeoutExpired(process.args, timeout, output=stdout,
                                 stderr=stderr)
        except:  # Including KeyboardInterrupt, communicate handled that.
            process.kill()
            # We don"t call process.wait() as .__exit__ does that for us.
            raise
        retcode = process.poll()
        if check and retcode:
            raise CalledProcessError(retcode, process.args,
                                     output=stdout, stderr=stderr)
    return CompletedProcess(process.args, retcode, stdout, stderr)

python3.5版本前,call(), check_all(), checkoutput()三種方法構成了subprocess模塊的高級API。

subprocess.call()

運行并等待args參數指定的指令完成,返回執行狀態碼(Popen實例的returncode屬性)。

參數:(*popenargs, timeout=None, **kwargs)。與Popen構造器參數基本相同,除timeout外的所有參數都將傳遞給Popen接口。

調用call()函數不要使用stdout=PIPEstderr=PIPE,因為如果子進程生成了足量的輸出到管道填滿OS管道緩沖區,子進程將因不能從管道讀取數據而導致阻塞。

# 源碼

def call(*popenargs, timeout=None, **kwargs):
    with Popen(*popenargs, **kwargs) as p:
        try:
            return p.wait(timeout=timeout)
        except:
            p.kill()
            p.wait()
            raise
subprocess.check_call()

運行并等待args參數指定的指令完成,返回0狀態碼或拋出CalledProcessError異常,該異常的cmdreturncode屬性可以查看執行異常的指令和狀態碼。

參數:(*popenargs, **kwargs)。全部參數傳遞給call()函數。

注意事項同call()

# 源碼

def check_call(*popenargs, **kwargs):
    retcode = call(*popenargs, **kwargs)
    if retcode:
        cmd = kwargs.get("args")
        if cmd is None:
            cmd = popenargs[0]
        raise CalledProcessError(retcode, cmd)
    return 0
subprocess.check_output()

運行并等待args參數指定的指令完成,返回標準輸出(CompletedProcess實例的stdout屬性),類型默認是byte字節,字節編碼可能取決于執行的指令,設置universal_newlines=True可以返回string類型的值。
如果執行狀態碼非0,將拋出CalledProcessError異常。

參數:(*popenargs, timeout=None, **kwargs)。全部參數傳遞給run()函數,但不支持顯示地傳遞input=None繼承父進程的標準輸入文件句柄。

要在返回值中捕獲標準錯誤,設置stderr=subprocess.STDOUT;也可以將標準錯誤重定向到管道stderr=subprocess.PIPE,通過CalledProcessError異常的stderr屬性訪問。

# 源碼

def check_output(*popenargs, timeout=None, **kwargs):
    if "stdout" in kwargs:
        raise ValueError("stdout argument not allowed, it will be overridden.")

    if "input" in kwargs and kwargs["input"] is None:
        # Explicitly passing input=None was previously equivalent to passing an
        # empty string. That is maintained here for backwards compatibility.
        kwargs["input"] = "" if kwargs.get("universal_newlines", False) else b""

    return run(*popenargs, stdout=PIPE, timeout=timeout, check=True,
               **kwargs).stdout

subprocess模塊還提供了python2.x版本中commands模塊的相關函數。

subprocess.getstatusoutput(cmd)

實際上是調用check_output()函數,在shell中執行string類型的cmd指令,返回(exitcode, output)形式的元組,output(包含stderrstdout)是使用locale encoding解碼的字符串,并刪除了結尾的換行符。

# 源碼

try:
    data = check_output(cmd, shell=True, universal_newlines=True, stderr=STDOUT)
    exitcode = 0
except CalledProcessError as ex:
    data = ex.output
    exitcode = ex.returncode
if data[-1:] == "
":
    data = data[:-1]
return exitcode, data
subprocess.getoutput(cmd)

getstatusoutput()類似,但結果只返回output。

文章版權歸作者所有,未經允許請勿轉載,若此文章存在違規行為,您可以聯系管理員刪除。

轉載請注明本文地址:http://specialneedsforspecialkids.com/yun/43447.html

相關文章

  • python基礎教程:異步IO API

    摘要:具有以下基本同步原語子進程提供了通過創建和管理子進程的。雖然隊列不是線程安全的,但它們被設計為專門用于代碼。表示異步操作的最終結果。 Python的asyncio是使用 async/await 語法編寫并發代碼的標準庫。通過上一節的講解,我們了解了它不斷變化的發展歷史。到了Python最新穩定版 3.7 這個版本,asyncio又做了比較大的調整,把這個庫的API分為了 高層級API和...

    vboy1010 評論0 收藏0
  • python模塊subprocess類與常量

    摘要:限于,可選的文件描述符序列,用于在父子進程間保持開放。如果設置了,表示派生的進程號子進程返回碼,表示進程未終止。如果未捕獲標準錯誤返回方法如果非,拋出異常異常模塊的異?;愖舆M程執行超時。 常量 subprocess.DEVNULL:可傳遞給stdin, stdout, stderr參數的特殊值,意味著將使用特殊文件os.devnull重定向輸入輸出 subprocess.PIPE:可...

    Alan 評論0 收藏0
  • Python中的Subprocess模塊

    摘要:以前我一直用處理一些系統管理任務因為我認為那是運行命令最簡單的方式我們能從官方文檔里讀到應該用模塊來運行系統命令模塊允許我們創建子進程連接他們的輸入輸出錯誤管道,還有獲得返回值。模塊打算來替代幾個過時的模塊和函數,比如命令。 以前我一直用os.system()處理一些系統管理任務,因為我認為那是運行linux命令最簡單的方式.我們能從Python官方文檔里讀到應該用subprocess...

    marek 評論0 收藏0
  • 寫了2年python,知道 if __name__ == '__main__'

    摘要:原因很簡單,因為中的代表的就是當前執行的模塊名。缺點就是主程序會受待執行程序的影響,會出現待執行程序中拋異常或主動退出會導致主程序也退出的尷尬問題??偨Y來說就是,一個是在子進程中執行代碼,一個是在當前進程中執行代碼。 showImg(https://segmentfault.com/img/remote/1460000018607395?w=502&h=318); 相信剛接觸Pytho...

    wangbinke 評論0 收藏0
  • python執行shell命令的方法

    摘要:執行命令的方法模塊方式說明這個調用相當直接,且是同步進行的,程序需要阻塞并等待返回。返回值是依賴于系統的,直接返回系統的調用返回值,所以和是不一樣的。并能夠獲得新建進程運行的返回狀態。使用模塊的目的是替代等舊的函數或模塊。 python執行shell命令的方法 os模塊 os.system方式: import os os.system(top) os.system(cat /proc...

    PumpkinDylan 評論0 收藏0

發表評論

0條評論

最新活動
閱讀需要支付1元查看
<