Python中的option Parser
一般来说,Python中有两个内建的模块用于处理命令行参数:
一个是 getopt,《Deep in python》一书中也有提到,只能简单处理 命令行参数;
另一个是 optparse,它功能强大,而且易于使用,可以方便地生成标准的、符合Unix/Posix 规范的命令行说明。
示例如下:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
|
from optparse import OptionParser parser = OptionParser() parser.add_option( "-p" , "--pdbk" , action = "store_true" , dest = "pdcl" , default = False , help = "write pdbk data to oracle db" ) parser.add_option( "-z" , "--zdbk" , action = "store_true" , dest = "zdcl" , default = False , help = "write zdbk data to oracle db" ) (options, args) = parser.parse_args() if options.pdcl = = True : print 'pdcl is true' if options.zdcl = = True : print 'zdcl is true' |
add_option用来加入选项,action是有store,store_true,store_false等,dest是存储的变量,default是缺省值,help是帮助提示
最后通过parse_args()函数的解析,获得选项,如options.pdcl的值。
下面是一个使用 optparse 的简单示例:
1
2
3
4
5
6
7
8
9
|
from optparse import OptionParser [...] parser = OptionParser() parser.add_option( "-f" , "--file" , dest = "filename" , help = "write report to FILE" , metavar = "FILE" ) parser.add_option( "-q" , "--quiet" , action = "store_false" , dest = "verbose" , default = True , help = "don't print status messages to stdout" ) (options, args) = parser.parse_args() |
现在,你就可以在命令行下输入:
1
2
3
4
5
|
<yourscript> - - file = outfile - q <yourscript> - f outfile - - quiet <yourscript> - - quiet - - file outfile <yourscript> - q - foutfile <yourscript> - qfoutfile |
上面这些命令是相同效果的。除此之外, optparse 还为我们自动生成命令行的帮助信息:
1
2
|
<yourscript> - h <yourscript> - - help |
输出:
1
2
3
4
5
6
|
usage: <yourscript> [options] options: - h, - - help show this help message and exit - f FILE , - - file = FILE write report to FILE - q, - - quiet don't print status messages to stdout |
简单流程
首先,必须 import OptionParser 类,创建一个 OptionParser 对象:
1
2
3
4
5
|
from optparse import OptionParser [...] parser = OptionParser() |
然后,使用 add_option 来定义命令行参数:
1
2
|
parser.add_option(opt_str, ..., attr = value, ...) |
每个命令行参数就是由参数名字符串和参数属性组成的。如 -f 或者 –file 分别是长短参数名:
1
|
parser.add_option( "-f" , "--file" , ...) |
最后,一旦你已经定义好了所有的命令行参数,调用 parse_args() 来解析程序的命令行:
1
|
(options, args) = parser.parse_args() |
注: 你也可以传递一个命令行参数列表到 parse_args();否则,默认使用 sys.argv[:1]。
parse_args() 返回的两个值:
① options,它是一个对象(optpars.Values),保存有命令行参数值。只要知道命令行参数名,如 file,就可以访问其对应的值: options.file 。
② args,它是一个由 positional arguments 组成的列表。
Actions
action 是 parse_args() 方法的参数之一,它指示 optparse 当解析到一个命令行参数时该如何处理。actions 有一组固定的值可供选择,默认是'store ',表示将命令行参数值保存在 options 对象里。
示例代码如下:
1
2
3
4
5
|
parser.add_option( "-f" , "--file" , action = "store" , type = "string" , dest = "filename" ) args = [ "-f" , "foo.txt" ] (options, args) = parser.parse_args(args) print options.filename |
最后将会打印出 “foo.txt”。
当 optparse 解析到'-f',会继续解析后面的'foo.txt',然后将'foo.txt'保存到 options.filename 里。当调用 parser.args() 后,options.filename 的值就为'foo.txt'。
你也可以指定 add_option() 方法中 type 参数为其它值,如 int 或者 float 等等:
1
|
parser.add_option( "-n" , type = "int" , dest = "num" ) |
默认地,type 为'string'。也正如上面所示,长参数名也是可选的。其实,dest 参数也是可选的。如果没有指定 dest 参数,将用命令行的参数名来对 options 对象的值进行存取。
store 也有其它的两种形式: store_true 和 store_false ,用于处理带命令行参数后面不 带值的情况。如 -v,-q 等命令行参数:
1
2
|
parser.add_option( "-v" , action = "store_true" , dest = "verbose" ) parser.add_option( "-q" , action = "store_false" , dest = "verbose" ) |
这样的话,当解析到 '-v',options.verbose 将被赋予 True 值,反之,解析到 '-q',会被赋予 False 值。
其它的 actions 值还有:
store_const 、append 、count 、callback 。
默认值
parse_args() 方法提供了一个 default 参数用于设置默认值。如:
1
2
|
parser.add_option( "-f" , "--file" , action = "store" , dest = "filename" , default = "foo.txt" ) parser.add_option( "-v" , action = "store_true" , dest = "verbose" , default = True ) |
又或者使用 set_defaults():
1
2
3
|
parser.set_defaults(filename = "foo.txt" ,verbose = True ) parser.add_option(...) (options, args) = parser.parse_args() |
生成程序帮助
optparse 另一个方便的功能是自动生成程序的帮助信息。你只需要为 add_option() 方法的 help 参数指定帮助信息文本:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
|
usage = "usage: %prog [options] arg1 arg2" parser = OptionParser(usage = usage) parser.add_option( "-v" , "--verbose" , action = "store_true" , dest = "verbose" , default = True , help = "make lots of noise [default]" ) parser.add_option( "-q" , "--quiet" , action = "store_false" , dest = "verbose" , help = "be vewwy quiet (I'm hunting wabbits)" ) parser.add_option( "-f" , "--filename" , metavar = "FILE" , help = "write output to FILE" ), parser.add_option( "-m" , "--mode" , default = "intermediate" , help = "interaction mode: novice, intermediate, " "or expert [default: %default]" ) |
当 optparse 解析到 -h 或者 –help 命令行参数时,会调用 parser.print_help() 打印程序的帮助信息:
1
2
3
4
5
6
7
8
9
10
|
usage: <yourscript> [options] arg1 arg2 options: - h, - - help show this help message and exit - v, - - verbose make lots of noise [default] - q, - - quiet be vewwy quiet (I'm hunting wabbits) - f FILE , - - filename = FILE write output to FILE - m MODE, - - mode = MODE interaction mode: novice, intermediate, or expert [default: intermediate] |
注意: 打印出帮助信息后,optparse 将会退出,不再解析其它的命令行参数。
以上面的例子来一步步解释如何生成帮助信息:
① 自定义的程序使用方法信息(usage message):
usage = "usage: %prog [options] arg1 arg2"
这行信息会优先打印在程序的选项信息前。当中的 %prog,optparse 会以当前程序名的字符串来替代:如 os.path.basename.(sys.argv[0])。
如果用户没有提供自定义的使用方法信息,optparse 会默认使用: “usage: %prog [options]”。
② 用户在定义命令行参数的帮助信息时,不用担心换行带来的问题,optparse 会处理好这一切。
③ 设置 add_option 方法中的 metavar 参数,有助于提醒用户,该命令行参数所期待的参数,如 metavar=“mode”:
1
|
- m MODE, - - mode = MODE |
注意: metavar 参数中的字符串会自动变为大写。
④ 在 help 参数的帮助信息里使用 %default 可以插入该命令行参数的默认值。
如果程序有很多的命令行参数,你可能想为他们进行分组,这时可以使用 OptonGroup:
1
2
3
4
5
|
group = OptionGroup(parser, ``Dangerous Options'', ``Caution: use these options at your own risk. `` ``It is believed that some of them bite.'') group.add_option(`` - g' ', action=' 'store_true' ', help=' 'Group option.' ') parser.add_option_group(group) |
下面是将会打印出来的帮助信息:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
|
usage: [options] arg1 arg2 options: - h, - - help show this help message and exit - v, - - verbose make lots of noise [default] - q, - - quiet be vewwy quiet (I'm hunting wabbits) - fFILE, - - file = FILE write output to FILE - mMODE, - - mode = MODE interaction mode: one of 'novice' , 'intermediate' [default], 'expert' Dangerous Options: Caution: use of these options is at your own risk. It is believed that some of them bite. - g Group option. |
显示程序版本
象 usage message 一样,你可以在创建 OptionParser 对象时,指定其 version 参数,用于显示当前程序的版本信息:
1
|
parser = OptionParser(usage = "%prog [-f] [-q]" , version = "%prog 1.0" ) |
这样,optparse 就会自动解释 –version 命令行参数:
1
2
|
$ / usr / bin / foo - - version foo 1.0 |
处理异常
包括程序异常和用户异常。这里主要讨论的是用户异常,是指因用户输入无效的、不完整的命令行参数而引发的异常。optparse 可以自动探测并处理一些用户异常:
1
2
3
4
5
6
7
8
9
|
$ / usr / bin / foo - n 4x usage: foo [options] foo: error: option - n: invalid integer value: '4x' $ / usr / bin / foo - n usage: foo [options] foo: error: - n option requires an argument |
用户也可以使用 parser.error() 方法来自定义部分异常的处理:
1
2
3
4
|
(options, args) = parser.parse_args() [...] if options.a and options.b: parser.error( "options -a and -b are mutually exclusive" ) |
上面的例子,当 -b 和 -b 命令行参数同时存在时,会打印出“options -a and -b are mutually exclusive“,以警告用户。
如果以上的异常处理方法还不能满足要求,你可能需要继承 OptionParser 类,并重载 exit() 和 erro() 方法。
完整的程序例子如下:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
|
from optparse import OptionParser [...] def main(): usage = "usage: %prog [options] arg" parser = OptionParser(usage) parser.add_option( "-f" , "--file" , dest = "filename" , help = "read data from FILENAME" ) parser.add_option( "-v" , "--verbose" , action = "store_true" , dest = "verbose" ) parser.add_option( "-q" , "--quiet" , action = "store_false" , dest = "verbose" ) [...] (options, args) = parser.parse_args() if len (args) ! = 1 : parser.error( "incorrect number of arguments" ) if options.verbose: print "reading %s..." % options.filename [...] if __name__ = = "__main__" : main() |
相信本文所述对大家的Python程序设计有一定的借鉴价值。
Python中的option Parser的更多相关文章
- Python中optionParser模块的使用方法[转]
本文以实例形式较为详尽的讲述了Python中optionParser模块的使用方法,对于深入学习Python有很好的借鉴价值.分享给大家供大家参考之用.具体分析如下: 一般来说,Python中有两个内 ...
- Python 中使用optparse进行参数解析
使用过Linux/Unix的人都会知道,命令行下的很多命令都需要参数,在C语言中添加和解析参数比较繁琐.Python中提供了optparse模块可以非常方便地处理命令行参数. 1 命令行参数的样 ...
- python中的optionParser模块
Python 有两个内建的模块用于处理命令行参数:一个是 getopt,<Deep in python>一书中也有提到,只能简单处理 命令行参数:另一个是 optparse,它功能强大,而 ...
- Python 中常见错误总结
IndentationError: unexpected indent Python 中强制缩进,, IndentationError: unexpected indent 缩进错误 这类错误非常常见 ...
- 用 ElementTree 在 Python 中解析 XML
用 ElementTree 在 Python 中解析 XML 原文: http://eli.thegreenplace.net/2012/03/15/processing-xml-in-python- ...
- python中configparser模块
python中的configparse模块的使用 主要用来解析一些常用的配置,比如数据配置等. 例如:有一个dbconfig.ini的文件 [section_db1] db = test_db1 ho ...
- 在python中处理XML
XML是实现不同语言或程序之间进行数据交换的协议,XML文件格式如下: <data> <country name="Liechtenstein"> < ...
- 关于python中PIL的安装
python 的PIL安装是一件很蛋痛的事, 如果你要在python 中使用图型程序那怕只是将个图片从二进制流中存盘(例如使用Scrapy 爬网存图),那么都会使用到 PIL 这库,而这个库是出名的难 ...
- 精通 Oracle+Python,第 9 部分:Jython 和 IronPython — 在 Python 中使用 JDBC 和 ODP.NET
成功的编程语言总是会成为顶级开发平台.对于 Python 和世界上的两个顶级编程环境 Java 和 Microsoft .NET 来说的确如此. 虽然人们因为 Python 能够快速组装不同的软件组件 ...
随机推荐
- Redis哨兵模式实现集群的高可用
先了解一下哨兵都 做了什么工作:Redis 的 Sentinel 系统用于管理多个 Redis 服务器(instance), 该系统执行以下三个任务: 监控(Monitoring): Sentinel ...
- 试试 IEnumerable 的另外 6 个小例子
IEnumerable 接口是 C# 开发过程中非常重要的接口,对于其特性和用法的了解是十分必要的.本文将通过6个小例子,来熟悉一下其简单的用法. <!-- more --> 阅读建议 在 ...
- mybatis plus使用redis作为二级缓存
建议缓存放到 service 层,你可以自定义自己的 BaseServiceImpl 重写注解父类方法,继承自己的实现.为了方便,这里我们将缓存放到mapper层.mybatis-plus整合redi ...
- eclipse中SpringBoot的maven项目出现无法解析父类的解决办法
在eclipse中建立SpringBoot的maven项目时,继承父类,添加如下代码: <parent> <groupId>org.springframework.boot&l ...
- ie表单提交提示下载文件
使用jquery的ajaxform提交form表单 如果在html中多了 enctype ="multipart/form-data" 属性值 提交时就会在ie8中提示下载 ...
- Go pprof性能调优
在计算机性能调试领域里,profiling 是指对应用程序的画像,画像就是应用程序使用 CPU 和内存的情况. Go语言是一个对性能特别看重的语言,因此语言中自带了 profiling 的库,这篇文章 ...
- Winform中对ZedGraph的RadioGroup进行数据源绑定,即通过代码添加选项
场景 在寻找设置RadioGroup的选项时没有找到相关博客,在DevExpress的官网找到 怎样给其添加选项. DevExpress官网教程: https://documentation.deve ...
- Winform中实现ZedGraph中曲线右键显示为中文
场景 Winforn中设置ZedGraph曲线图的属性.坐标轴属性.刻度属性: https://blog.csdn.net/BADAO_LIUMANG_QIZHI/article/details/10 ...
- wireshark抓包,分析出PNG后解析
1. 抓包 2. 转成hex二进制流 3. 将二进制流转成base64位,通过在线工具: http://tomeko.net/online_tools/hex_to_base64.php?lang=e ...
- java必学技能
一:系统架构师是一个最终确认和评估系统需求,给出开发规范,搭建系统实现的核心构架,并澄清技术细节.扫清主要难点的技术人员.主要着眼于系统的“技术实现”.因此他/她应该是特定的开发平台.语言.工具的大师 ...