歡迎光臨
每天分享高質量文章

用 Plumbum 開發 Python 命令列工具

使用 Plumbum CLI 工具包來開發 Python 命令列應用程式,這是一個非常 Pythonic、容易使用、功能強大的工具包,非常值得廣大 Python 程式員掌握並使用。
— Tomer Filiba


致謝
編譯自 | https://plumbum.readthedocs.io/en/latest/cli.html 
 作者 | Tomer Filiba
轉載自 | https://blog.csdn.net/qianghaohao/article/details/80150254 
 譯者 | qhh0205

摘要:本文翻譯自 Python Plumbum[1] 開源庫的官方檔案 Plumbum CLI[2] 部分,主要介紹如何使用 Plumbum CLI[2] 工具包來開發 Python 命令列應用程式,這是一個非常 Pythonic、容易使用、功能強大的工具包,非常值得廣大 Python 程式員掌握並使用。

輕鬆執行程式的另一方面是輕鬆編寫 CLI 程式。Python 指令碼一般使用 optparse 或者最新的 argparse 及其衍生品來開發命令列工具,但是所有這些表現力有限,而且非常不直觀(甚至不夠 Pythonic)。Plumbum 的 CLI 工具包提供了一個程式化的方法來構建命令列應用程式,不需要建立一個解析器物件,然後填充一系列“選項”,該 CLI 工具包使用內省機制將這些原語轉義成 Pythonic 結構。

總體來看,Plumbum CLI 應用程式是一個繼承自 plumbum.cli.Application 的類。這些類定義了一個 main() 方法,並且可選地公開出方法和屬性來作為命令列的選項。這些選項可能需要引數,而任何剩餘的位置引數會根據 main 函式的宣告來將其賦予 main 方法。一個簡單的 CLI 應用程式看起來像如下這樣:

  1. from plumbum import cli

  2. class MyApp(cli.Application):

  3.    verbose = cli.Flag(["v", "verbose"], help = "If given, I will be very talkative")

  4.    def main(self, filename):

  5.        print("I will now read {0}".format(filename))

  6.        if self.verbose:

  7.            print("Yadda " * 200)

  8. if __name__ == "__main__":

  9.    MyApp.run()

你可以執行該程式:

  1. $ python example.py foo

  2. I will now read foo

  3. $ python example.py --help

  4. example.py v1.0

  5. Usage: example.py [SWITCHES] filename

  6. Meta-switches:

  7.    -h, --help                 Prints this help message and quits

  8.    --version                  Prints the program's version and quits

  9. Switches:

  10.    -v, --verbose              If given, I will be very talkative

到現在為止,你只看到了非常基本的使用。我們現在開始探索該庫。

新版本 1.6.1: 你可以直接執行應用程式 MyApp(),不需要引數,也不需要呼叫 .main()

應用程式

Application 類是你的應用程式的“容器”,該“容器”由一個你需要實現的main()方法和任何數量公開選項函式和屬性。你的應用程式的入口是類方法 run,該方法實體化你的類、解析引數、呼叫所有的選項函式,然後使用給的位置引數來呼叫main()函式。為了從命令列執行你的應用程式,你所要做的是:

  1. if __name__ == "__main__":

  2.    MyApp.run()

除了 run() 和 main()Application 類還公開了兩個內建的選項函式:help()和 version(),分別用於顯示幫助和程式的版本。預設情況下,--hep 和 -h 會呼叫 help()--version 和 -v 會呼叫 version(),這些函式被呼叫後會顯示相應的資訊然後退出(沒有處理任何其他選項)。

你可以透過定義類屬性來自定義 help() 和 version() 顯示的資訊,比如 PROGNAME、 VERSION 和 DESCRIPTION。舉例:

  1. class MyApp(cli.Application):

  2.    PROGNAME = "Foobar"

  3.    VERSION = "7.3"

顏色

新版本 1.6

該庫也支援終端字元顏色控制。你可以直接將 PROGNAMEVERSION 和 DESCRIPTION變為帶顏色的字串。如果你給 PROGNAME 設定了顏色,你會得到自定義的程式名字和顏色。使用方法字串的顏色可以透過設定 COLOR_USAGE 來生效,不同選項組的顏色可以透過設定 COLOR_GROUPS 字典來生效。

舉例如下:

  1. class MyApp(cli.Application):

  2.    PROGNAME = colors.green

  3.    VERSION = colors.blue | "1.0.2"

  4.    COLOR_GROUPS = {"Meta-switches" : colors.bold & colors.yellow}

  5.    opts =  cli.Flag("--ops", help=colors.magenta | "This is help")

  1. SimpleColorCLI.py 1.0.2

  2. Usage:

  3.    SimpleColorCLI.py [SWITCHES]

  4. Meta-switches

  5.    -h, --help         Prints this help message and quits

  6.    --help-all         Print help messages of all subcommands and quit

  7.    -v, --version      Prints the program's version and quits

  8. Switches

  9.    --ops              This is help

選項函式

switch 裝飾器是該 CLI 開發工具包的“靈魂”,它會公開你的 CLI 應用程式的方法來作為 CLI 命令列選項,這些方法執行透過命令列來呼叫。我們測試下如下應用:

  1. class MyApp(cli.Application):

  2.    _allow_root = False       # provide a default

  3.    @cli.switch("--log-to-file", str)

  4.    def log_to_file(self, filename):

  5.        """Sets the file into which logs will be emitted"""

  6.        logger.addHandler(FileHandle(filename))

  7.    @cli.switch(["-r", "--root"])

  8.    def allow_as_root(self):

  9.        """If given, allow running as root"""

  10.        self._allow_root = True

  11.    def main(self):

  12.        if os.geteuid() == 0 and not self._allow_root:

  13.            raise ValueError("cannot run as root")

當程式執行時,選項函式透過相應的引數被呼叫。比如,$ ./myapp.py --log-to-file=/tmp/log 將被轉化成呼叫 app.log_to_file("/tmp/log")。在選項函式被執行後,程式的控制權會被傳遞到 main 方法。

註意

方法的檔案字串和引數名字會被用來渲染幫助資訊,儘量保持你的程式碼 DRY[3]

autoswitch 可以從函式名字中推斷出選項的名稱,舉例如下:

  1. @cli.autoswitch(str)

  2. def log_to_file(self, filename):

  3.    pass

這會將選項函式和 --log-to-file 系結。

選項引數

如上面例子所示,選項函式可能沒有引數(不包括 self)或者有一個引數。如果選項函式接受一個引數,必須指明該引數的型別。如果你不需要特殊的驗證,只需傳遞 str,否則,您可能會傳遞任何型別(或實際上可呼叫的任何型別),該型別將接收一個字串並將其轉換為有意義的物件。如果轉換是不可行的,那麼會丟擲 TypeError 或者 ValueError 異常。

舉例:

  1. class MyApp(cli.Application):

  2.    _port = 8080

  3.    @cli.switch(["-p"], int)

  4.    def server_port(self, port):

  5.        self._port = port

  6.    def main(self):

  7.        print(self._port)

  1. $ ./example.py -p 17

  2. 17

  3. $ ./example.py -p foo

  4. Argument of -p expected to be <type 'int'>, not 'foo':

  5.    ValueError("invalid literal for int() with base 10: 'foo'",)

工具包包含兩個額外的“型別”(或者是是驗證器):Range 和 SetRange 指定一個最小值和最大值,限定一個整數在該範圍內(閉區間)。Set 指定一組允許的值,並且期望引數匹配這些值中的一個。示例如下:

  1. class MyApp(cli.Application):

  2.    _port = 8080

  3.    _mode = "TCP"

  4.    @cli.switch("-p", cli.Range(1024,65535))

  5.    def server_port(self, port):

  6.        self._port = port

  7.    @cli.switch("-m", cli.Set("TCP", "UDP", case_sensitive = False))

  8.    def server_mode(self, mode):

  9.        self._mode = mode

  10.    def main(self):

  11.        print(self._port, self._mode)

  1. $ ./example.py -p 17

  2. Argument of -p expected to be [1024..65535], not '17':

  3.    ValueError('Not in range [1024..65535]',)

  4. $ ./example.py -m foo

  5. Argument of -m expected to be Set('udp', 'tcp'), not 'foo':

  6.    ValueError("Expected one of ['UDP', 'TCP']",)

註意 工具包中還有其他有用的驗證器:ExistingFile(確保給定的引數是一個存在的檔案),ExistingDirectory(確保給定的引數是一個存在的目錄),NonexistentPath(確保給定的引數是一個不存在的路徑)。所有這些將引數轉換為本地路徑[4]

可重覆的選項

很多時候,你需要在同一個命令列中多次指定某個選項。比如,在 gcc 中,你可能使用 -I引數來引入多個目錄。預設情況下,選項只能指定一次,除非你給 switch 裝飾器傳遞 list = True 引數。

  1. class MyApp(cli.Application):

  2.    _dirs = []

  3.    @cli.switch("-I", str, list = True)

  4.    def include_dirs(self, dirs):

  5.        self._dirs = dirs

  6.    def main(self):

  7.        print(self._dirs)

  1. $ ./example.py -I/foo/bar -I/usr/include

  2. ['/foo/bar', '/usr/include']

註意 選項函式只被呼叫一次,它的引數將會變成一個串列。

強制的選項

如果某個選項是必須的,你可以給 switch 裝飾器傳遞 mandatory = True 來實現。這樣的話,如果使用者不指定該選項,那麼程式是無法執行的。

選項依賴

很多時候,一個選項的出現依賴另一個選項,比如,如果不給定 -y 選項,那麼 -x 選項是無法給定的。這種限制可以透過給 switch 裝飾器傳遞 requires 引數來實現,該引數是一個當前選項所依賴的選項名稱串列。如果不指定某個選項所依賴的其他選項,那麼使用者是無法執行程式的。

  1. class MyApp(cli.Application):

  2.    @cli.switch("--log-to-file", str)

  3.    def log_to_file(self, filename):

  4.        logger.addHandler(logging.FileHandler(filename))

  5.    @cli.switch("--verbose", requires = ["--log-to-file"])

  6.    def verbose(self):

  7.        logger.setLevel(logging.DEBUG)

  1. $ ./example --verbose

  2. Given --verbose, the following are missing ['log-to-file']

警告 選項函式的呼叫順序和命令列指定的選項的順序是一致的。目前不支援在程式執行時計算選項函式呼叫的拓撲順序,但是將來會改進。

選項互斥

有些選項依賴其他選項,但是有些選項是和其他選項互斥的。比如,--verbose 和 --terse 同時存在是不合理的。為此,你可以給 switch 裝飾器指定 excludes 串列來實現。

  1. class MyApp(cli.Application):

  2.    @cli.switch("--log-to-file", str)

  3.    def log_to_file(self, filename):

  4.        logger.addHandler(logging.FileHandler(filename))

  5.    @cli.switch("--verbose", requires = ["--log-to-file"], excludes = ["--terse"])

  6.    def verbose(self):

  7.        logger.setLevel(logging.DEBUG)

  8.    @cli.switch("--terse", requires = ["--log-to-file"], excludes = ["--verbose"])

  9.    def terse(self):

  10.        logger.setLevel(logging.WARNING)

  1. $ ./example --log-to-file=log.txt --verbose --terse

  2. Given --verbose, the following are invalid ['--terse']

選項分組

如果你希望在幫助資訊中將某些選項組合在一起,你可以給 switch 裝飾器指定 group = "Group Name"Group Name 可以是任意字串。當顯示幫助資訊的時候,所有屬於同一個組的選項會被聚合在一起。註意,分組不影響選項的處理,但是可以增強幫助資訊的可讀性。

選項屬性

很多時候只需要將選項的引數儲存到類的屬性中,或者當某個屬性給定後設定一個標誌。為此,工具包提供了 SwitchAttr,這是一個資料描述符[5],用來儲存引數。 該工具包還提供了兩個額外的 SwitchAttr:Flag(如果選項給定後,會給其賦予預設值)和 CountOf(某個選項出現的次數)。

  1. class MyApp(cli.Application):

  2.    log_file = cli.SwitchAttr("--log-file", str, default = None)

  3.    enable_logging = cli.Flag("--no-log", default = True)

  4.    verbosity_level = cli.CountOf("-v")

  5.    def main(self):

  6.        print(self.log_file, self.enable_logging, self.verbosity_level)

  1. $ ./example.py -v --log-file=log.txt -v --no-log -vvv

  2. log.txt False 5

環境變數

新版本 1.6

你可以使用 envname 引數將環境變數作為 SwitchAttr 的輸入。舉例如下:

  1. class MyApp(cli.Application):

  2.    log_file = cli.SwitchAttr("--log-file", str, envname="MY_LOG_FILE")

  3.    def main(self):

  4.        print(self.log_file)

  1. $ MY_LOG_FILE=this.log ./example.py

  2. this.log

在命令列給定變數值會改寫相同環境變數的值。

Main

一旦當所有命令列引數被處理後 ,main() 方法會獲取程式的控制,並且可以有任意數量的位置引數,比如,在 cp -r /foo /bar 中, /foo 和 /bar 是位置引數。程式接受位置引數的數量依賴於 main() 函式的宣告:如果 main 方法有 5 個引數,2 個是有預設值的,那麼使用者最少需要提供 3 個位置引數並且總數量不能多於 5 個。如果 main 方法的宣告中使用的是可變引數(*args),那麼位置引數的個數是沒有限制的。

  1. class MyApp(cli.Application):

  2.    def main(self, src, dst, mode = "normal"):

  3.        print(src, dst, mode)

  1. $ ./example.py /foo /bar

  2. /foo /bar normal

  3. $ ./example.py /foo /bar spam

  4. /foo /bar spam

  5. $ ./example.py /foo

  6. Expected at least 2 positional arguments, got ['/foo']

  7. $ ./example.py /foo /bar spam bacon

  8. Expected at most 3 positional arguments, got ['/foo', '/bar', 'spam', 'bacon']

註意 該方法的宣告也用於生成幫助資訊,例如:

  1. Usage:  [SWITCHES] src dst [mode='normal']

使用可變引數:

  1. class MyApp(cli.Application):

  2.    def main(self, src, dst, *eggs):

  3.        print(src, dst, eggs)

  1. $ ./example.py a b c d

  2. a b ('c', 'd')

  3. $ ./example.py --help

  4. Usage:  [SWITCHES] src dst eggs...

  5. Meta-switches:

  6.    -h, --help                 Prints this help message and quits

  7.    -v, --version              Prints the program's version and quits

位置驗證

新版本 1.6

你可以使用 cli.positional 裝飾器提供的驗證器來驗證位置引數。只需在裝飾器中傳遞與 main 函式中的相匹配的驗證器即可。例如:

  1. class MyApp(cli.Application):

  2.    @cli.positional(cli.ExistingFile, cli.NonexistentPath)

  3.    def main(self, infile, *outfiles):

  4.        "infile is a path, outfiles are a list of paths, proper errors are given"

如果你的程式只在 Python 3 中執行,你可以使用註解來指定驗證器,例如:

  1. class MyApp(cli.Application):

  2.    def main(self, infile : cli.ExistingFile, *outfiles : cli.NonexistentPath):

  3.    "Identical to above MyApp"

如果 positional 裝飾器存在,那麼註解會被忽略。

子命令

新版本 1.1

隨著 CLI 應用程式的擴充套件,功能變的越來越多,一個通常的做法是將其邏輯分成多個子應用(或者子命令)。一個典型的例子是版本控制系統,比如 git[6]git 是根命令,在這之下的子命令比如 commit 或者 push 是巢狀的。git 甚至支援命令別名,這執行使用者自己建立一些子命令。Plumbum 寫類似這樣的程式是很輕鬆的。

在我們開始瞭解程式碼之前,先強調兩件事情:

◈ 在 Plumbum 中,每個子命令都是一個完整的 cli.Application 應用,你可以單獨執行它,或者從所謂的根命令中分離出來。當應用程式單獨執行是,它的父屬性是 None,當以子命令執行時,它的父屬性指向父應用程式。同樣,當父應用使用子命令執行時,它的內嵌命令被設定成內嵌應用。
◈ 每個子命令只負責它自己的選項引數(直到下一個子命令)。這允許應用在內嵌應用呼叫之前來處理它自己的選項和位置引數。例如 git --foo=bar spam push origin --tags:根應用 git 負責選項 --foo 和位置選項 spam ,內嵌應用 push 負責在它之後的引數。從理論上講,你可以將多個子應用程式巢狀到另一個應用程式中,但在實踐中,通常巢狀層級只有一層。

這是一個模仿版本控制系統的例子 geet。我們有一個根應用 Geet ,它有兩個子命令 GeetCommit 和 GeetPush:這兩個子命令透過 subcommand 裝飾器來將其附加到根應用。

  1. class Geet(cli.Application):

  2.    """The l33t version control"""

  3.    VERSION = "1.7.2"

  4.    def main(self, *args):

  5.        if args:

  6.            print("Unknown command {0!r}".format(args[0]))

  7.            return 1   # error exit code

  8.        if not self.nested_command:           # will be ``None`` if no sub-command follows

  9.            print("No command given")

  10.            return 1   # error exit code

  11. @Geet.subcommand("commit")                    # attach 'geet commit'

  12. class GeetCommit(cli.Application):

  13.    """creates a new commit in the current branch"""

  14.    auto_add = cli.Flag("-a", help = "automatically add changed files")

  15.    message = cli.SwitchAttr("-m", str, mandatory = True, help = "sets the commit message")

  16.    def main(self):

  17.        print("doing the commit...")

  18. @Geet.subcommand("push")                      # attach 'geet push'

  19. class GeetPush(cli.Application):

  20.    """pushes the current local branch to the remote one"""

  21.    def main(self, remote, branch = None):

  22.        print("doing the push...")

  23. if __name__ == "__main__":

  24.    Geet.run()

註意

◈ 由於 GeetCommit 也是一個 cli.Application,因此你可以直接呼叫 GeetCommit.run() (這在應用的背景關係是合理的)
◈ 你也可以不用裝飾器而使用 subcommand 方法來附加子命令:Geet.subcommand("push", GeetPush)

以下是執行該應用程式的示例:

  1. $ python geet.py --help

  2. geet v1.7.2

  3. The l33t version control

  4. Usage: geet.py [SWITCHES] [SUBCOMMAND [SWITCHES]] args...

  5. Meta-switches:

  6.    -h, --help                 Prints this help message and quits

  7.    -v, --version              Prints the program's version and quits

  8. Subcommands:

  9.    commit                     creates a new commit in the current branch; see

  10.                               'geet commit --help' for more info

  11.    push                       pushes the current local branch to the remote

  12.                               one; see 'geet push --help' for more info

  13. $ python geet.py commit --help

  14. geet commit v1.7.2

  15. creates a new commit in the current branch

  16. Usage: geet commit [SWITCHES]

  17. Meta-switches:

  18.    -h, --help                 Prints this help message and quits

  19.    -v, --version              Prints the program's version and quits

  20. Switches:

  21.    -a                         automatically add changed files

  22.    -m VALUE:str               sets the commit message; required

  23. $ python geet.py commit -m "foo"

  24. doing the commit...

配置解析器

應用程式的另一個常見的功能是配置檔案解析器,解析後臺 INI 配置檔案:Config (或者 ConfigINI)。使用示例:

  1. from plumbum import cli

  2. with cli.Config('~/.myapp_rc') as conf:

  3.    one = conf.get('one', '1')

  4.    two = conf.get('two', '2')

如果配置檔案不存在,那麼將會以當前的 key 和預設的 value 來建立一個配置檔案,在呼叫 .get 方法時會得到預設值,當背景關係管理器存在時,檔案會被建立。如果配置檔案存在,那麼該檔案將會被讀取並且沒有任何改變。你也可以使用 [] 語法來強制設定一個值或者當變數不存在時獲取到一個 ValueError。如果你想避免背景關係管理器,你也可以使用 .read和 .write

ini 解析器預設使用 [DEFAULT] 段,就像 Python 的 ConfigParser。如果你想使用一個不同的段,只需要在 key 中透過 . 將段和標題分隔開。比如 conf['section.item'] 會將 item 放置在 [section] 下。所有儲存在 ConfigINI 中的條目會被轉化成 strstr 是經常傳回的。

終端實用程式

在 plumbum.cli.terminal 中有多個終端實用程式,用來幫助製作終端應用程式。

get_terminal_size(default=(80,25)) 允許跨平臺訪問終端螢幕大小,傳回值是一個元組 (width, height)。還有幾個方法可以用來詢問使用者輸入,比如 readlineaskchoose 和 prompt 都是可用的。

Progress(iterator) 可以使你快速地從迭代器來建立一個進度條。簡單地打包一個 slow 迭代器並迭代就會生成一個不錯的基於使用者螢幕寬度的文字進度條,同時會顯示剩餘時間。如果你想給 fast 迭代器建立一個進度條,並且在迴圈中包含程式碼,那麼請使用 Progress.wrap或者 Progress.range。例如:

  1. for i in Progress.range(10):

  2.    time.sleep(1)

如果在終端中有其他輸出,但是仍然需要一個進度條,請傳遞 has_output=True 引數來禁止進度條清除掉歷史輸出。

在 plumbum.cli.image 中提供了一個命令列繪圖器(Image)。它可以繪製一個類似 PIL 的影象:

  1. Image().show_pil(im)

Image 建構式接受一個可選的 size 引數(如果是 None,那麼預設是當前終端大小)和一個字元比例,該比例來自當前字元的高度和寬度的度量,預設值是 2.45。如果設定為 None,ratio 將會被忽略,影象不再被限製成比例縮放。要直接繪製一個影象,show 需要一個檔案名和一對引數。show_pil 和 show_pil_double 方法直接接受一個 PIL-like 物件。為了從命令列繪製影象,該模組可以直接被執行:python -m plumbum.cli.image myimage.png

要獲取幫助串列和更多的資訊請參見 api docs[7]

請參閱

◈ filecopy.py[8] 示例
◈ geet.py[9] - 一個可執行的使用子命令的示例
◈ RPyC[10] 已經將基於 bash 的編譯指令碼換成了 Plumbum CLI。這是多麼簡短和具有可讀性[11]
◈ 一篇部落格[12],講述 CLI 模組的理論

贊(0)

分享創造快樂

© 2024 知識星球   網站地圖