在使用Python 開發MySQL自動化相關的運維工具的時候,遇到一些有意思的問題,本文介紹Python的 subprocess 模塊以及如何和MySQL交互具體操做,如啓動 ,關閉 ,備份數據庫。python
Python2.4引入subprocess模塊來管理子進程,能夠像Linux 系統中執行shell命令那樣fork一個子進程執行外部的命令,而且能夠鏈接子進程的output/input/error管道,獲取命令執行的輸出,錯誤信息,和執行成功與否的結果。mysql
Subprocess 提供了三個函數以不一樣的方式建立子進程。他們分別是sql
父進程等待子進程完成,而且返回子進程執行的結果 0/1 其實現方式shell
def call(*popenargs, **kwargs):
return Popen(*popenargs, **kwargs).wait()
例子數據庫
out=subprocess.call(["ls", "-l"])
total 88
drwxr-xr-x 5 yangyi staff 170 1 25 22:37 HelloWorld
drwxr-xr-x 11 yangyi staff 374 12 18 2015 app
-rw-r--r-- 1 yangyi staff 3895 4 19 11:29 check_int.py
..... 省略一部分
>>> print out
0
>>> out=subprocess.call(["ls", "-I"])
ls: illegal option -- I
usage: ls [-ABCFGHLOPRSTUWabcdefghiklmnopqrstuwx1] [file ...]
>>> print out
1
父進程等待子進程完成,正常狀況下返回0,當檢查退出信息,若是returncode不爲0,則觸發異常subprocess.CalledProcessError,該對象包含有returncode屬性,應用程序中可用try...except...來檢查命令是否執行成功。其實現方式flask
def check_call(*popenargs, **kwargs):
retcode = call(*popenargs, **kwargs)
if retcode:
cmd = kwargs.get("args")
raise CalledProcessError(retcode, cmd)
return 0
例子緩存
>>> out=subprocess.check_call(["ls"])
HelloWorld check_int.py enumerate.py hello.py
>>> print out
0
>>> out=subprocess.check_call(["ls",'-I']) #執行命令失敗的時候回拋出CalledProcessError異常,而且返回結果1
ls: illegal option -- I
usage: ls [-ABCFGHLOPRSTUWabcdefghiklmnopqrstuwx1] [file ...]
Traceback (most recent call last):
File "", line 1, in <module>
File "/System/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/subprocess.py", line 540, in check_call
raise CalledProcessError(retcode, cmd)
subprocess.CalledProcessError: Command '['ls', '-I']' returned non-zero exit status 1
和 subprocess.check_call() 相似,可是其返回的結果是執行命令的輸出,而非返回0/1 其實現方式網絡
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
例子app
>>> out=subprocess.check_output(["ls"]) #成功執行命令
>>> print out
HelloWorld
check_int.py
enumerate.py
flasky
hello.py
>>> out=subprocess.check_output(["ls","-I"])#執行命令出現異常直接打印出異常信息。
ls: illegal option -- I
usage: ls [-ABCFGHLOPRSTUWabcdefghiklmnopqrstuwx1] [file ...]
Traceback (most recent call last):
File "", line 1, in <module>
File "/System/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/subprocess.py", line 573, in check_output
raise CalledProcessError(retcode, cmd, output=output)
subprocess.CalledProcessError: Command '['ls', '-I']' returned non-zero exit status 1
>>>
經過上面三個例子,咱們能夠看出前面兩個函數不容易控制輸出內容,在使用subprocess包中的函數建立子進程執行命令的時候,須要考慮運維
認真的讀者朋友能夠看出上面三個函數都是基於Popen實現的,爲啥呢?由於 subprocess 僅僅提供了一個類,call(),check_call(),check_outpu()都是基於Popen封裝而成。當咱們須要更加自主的應用subprocess來實現應用程序的功能時,
咱們要本身動手直接使用Popen()生成的對象完成任務。接下來咱們研究Popen()的常見用法 ,詳細的用法請參考官方文檔
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 字符串或者列表,好比 "ls -a" / ["ls","-a"]
stdin/stdout/stderr 爲None時表示沒有任何重定向,繼承父進程,還能夠設置爲PIPE 建立管道/文件對象/文件描述符(整數)/stderr 還能夠設置爲 STDOUT 後面會給出常見的用法
shell 是否使用shell來執行程序。當shell=True, 它將args看做是一個字符串,而不是一個序列。在Unix系統,且 shell=True時,shell默認使用 /bin/sh.
若是 args是一個字符串,則它聲明瞭經過shell執行的命令。這意味着,字符串必需要使用正確的格式。
若是 args是一個序列,則第一個元素就是命令字符串,而其它的元素都做爲參數使用。能夠這樣說,Popen等價於:
Popen(['/bin/sh', '-c', args[0], args[1], ...])
與上面第二部分介紹的三個函數不一樣,subprocess.Popen() fork子進程以後主進程不會等待子進程結束,而是直接執行後續的命令。當咱們須要等待子進程結束必須使用wait()或者communicate()函數。舉個例子,
import subprocess
sbp=subprocess.Popen(["ping","-c","5","www.youzan.com"])
print "ping is not done"
從執行結果上看,子進程 ping命令並未執行完畢,subprocess.Popen() 後面的命令就開始執行了。
Popen常見的函數
這裏須要多作說明的是對於 wait()官方提示:
Warning This will deadlock when using stdout=PIPE and/or stderr=PIPE and the child process generates enough output to a pipe such that it blocks waiting for the OS pipe buffer to accept more data. Use communicate() to avoid that.
即當stdout/stdin設置爲PIPE時,使用wait()可能會致使死鎖。於是建議使用communicate而對於communicate,文檔又給出:
Interact with process: Send data to stdin. Read data from stdout and stderr, until end-of-file is reached. Wait for process to terminate. The optionalinput argument should be a string to be sent to the child process, orNone, if no data should be sent to the child.communicate() returns a tuple (stdoutdata, stderrdata).
Note that if you want to send data to the process’s stdin, you need to create the Popen object with stdin=PIPE. Similarly, to get anything other thanNone in the result tuple, you need to give stdout=PIPE and/orstderr=PIPE too.
Note:The data read is buffered in memory, so do not use this method if the data size is large or unlimited.
communicate會把數據讀入內存緩存下來,因此當數據很大或者是無限的數據時不要使用。那麼坑爹的問題來了:當你要使用Python的subprocess.Popen實現命令行之間的管道傳輸,同時數據源又很是大(好比讀取上GB的文本或者無盡的網絡流)時,官方文檔不建議用wait,同時communicate還可能把內存撐爆,咱們該怎麼操做?
紙上來得終覺淺,絕知此事要躬行。自動化運維需求中會有重啓/關閉/備份/恢復 MySQL的需求。怎麼使用Python的subprocess來解決呢?啓動MySQL的命令以下
startMySQL="/usr/bin/mysqld_safe --defaults-file=/srv/my{0}/my.cnf --read_only=1 & ".format(port)
實際上使用child=subprocess.Popen(startMySQL,shell=True,stdout=stdout=subprocess.PIPE),子進程mysql_safe是無任何返回輸出的,使用,child.communicate()或者讀取stdout 則會持續等待。須要使用 child.wait()或者child.poll()檢查子進程是否執行完成。
import subprocess,time
def startMySQL(port):
startMySQL="/usr/bin/mysqld_safe --defaults-file=/srv/my{0}/my.cnf --read_only=1 & ".format(port)
child=subprocess.Popen(startMySQL, shell=True,stdout=subprocess.PIPE)
child.poll()
time.sleep(3) #有些MySQL實例啓動可能須要必定的時間
if child.returncode:
print "instance {0} startup failed ...".format(port)
else:
print "instance {0} startup successed ...".format(port)
return
測試
root@rac3:~/python# >python 1.pyinstance 3308 startup successed ...