subprocess.Popen
這個模塊主要就提供一個類Popen:
class subprocess.Popen( args, bufsize=0, executable=None, stdin=None, stdout=None, stderr=None, preexec_fn=None, close_fds=False, shell=False, cwd=None, env=None, universal_newlines=False, startupinfo=None, creationflags=0)
這堆東西真讓人抓狂:
args |
字符串或者列表 |
bufsize |
0 無緩沖 |
executable |
一般不用吧,args字符串或列表第一項表示程序名 |
stdin |
None 沒有任何重定向,繼承父進程 |
preexec_fn |
鈎子函數, 在fork和exec之間執行。(unix) |
close_fds |
unix 下執行新進程前是否關閉0/1/2之外的文件 |
shell |
為真的話 |
cwd |
設置工作目錄 |
env |
設置環境變量 |
universal_newlines |
各種換行符統一處理成 '\n' |
startupinfo |
window下傳遞給CreateProcess的結構體 |
creationflags |
windows下,傳遞CREATE_NEW_CONSOLE創建自己的控制台窗口 |
- 當初最感到困擾的就是 args 參數。可以是一個字符串,可以是一個列表。
subprocess.Popen(["gedit","abc.txt"]) subprocess.Popen("gedit abc.txt")
這兩個之中,后者將不會工作。因為如果是一個字符串的話,必須是程序的路徑才可以。(考慮unix的api函數 exec,接受的是字符串列表)
- 但是下面的可以工作
subprocess.Popen("gedit abc.txt", shell=True)
這是因為它相當於
subprocess.Popen(["/bin/sh", "-c", "gedit abc.txt"])
都成了sh的參數,就無所謂了
- 在Windows下,下面的卻又是可以工作的
subprocess.Popen(["notepad.exe", "abc.txt"]) subprocess.Popen("notepad.exe abc.txt")
這是由於windows下的api函數CreateProcess接受的是一個字符串。即使是列表形式的參數,也需要先合並成字符串再傳遞給api函數。
- 類似上面
subprocess.Popen("notepad.exe abc.txt" shell=True)
等價於
subprocess.Popen("cmd.exe /C "+"notepad.exe abc.txt" shell=True)
subprocess.call*
模塊還提供了幾個便利函數(這本身也算是很好的Popen的使用例子了)
- call() 執行程序,並等待它完成
def call(*popenargs, **kwargs): return Popen(*popenargs, **kwargs).wait()
- check_call() 調用前面的call,如果返回值非零,則拋出異常
def check_call(*popenargs, **kwargs): retcode = call(*popenargs, **kwargs) if retcode: cmd = kwargs.get("args") raise CalledProcessError(retcode, cmd) return 0
- check_output() 執行程序,並返回其標准輸出
def check_output(*popenargs, **kwargs): process = Popen(*popenargs, stdout=PIPE, **kwargs) output, unused_err = process.communicate() retcode = process.poll() if retcode: cmd = kwargs.get("args") raise CalledProcessError(retcode, cmd, output=output) return output
Popen對象
該對象提供有不少方法函數可用。而且前面已經用到了wait()/poll()/communicate()
poll() |
檢查是否結束,設置返回值 |
wait() |
等待結束,設置返回值 |
communicate() |
參數是標准輸入,返回標准輸出和標准出錯 |
send_signal() |
發送信號 (主要在unix下有用) |
terminate() |
終止進程,unix對應的SIGTERM信號,windows下調用api函數TerminateProcess() |
kill() |
殺死進程(unix對應SIGKILL信號),windows下同上 |
stdin |
參數中指定PIPE時,有用 |
pid |
進程id |
returncode |
進程返回值 |