Python命令行解析库argparse(转)
原文:http://www.cnblogs.com/linxiyue/p/3908623.html
2.7之后python不再对optparse模块进行扩展,python标准库推荐使用argparse模块对命令行进行解析。
1.example
有一道面试题:编写一个脚本main.py,使用方式如下:
main.py -u http://www.sohu.com -d 'a=1,b=2,c=3' -o /tmp/index.html
功能要求:打开-u指定的页面,将页面中所有的链接后面增加参数a=1&b=2&c=3(需要考虑链接中已经存在指定的参数的问题), 然后保存到-o指定的文件中。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
|
import argparse import urllib from pyquery import PyQuery as pq def getArgs(): parse = argparse.ArgumentParser() parse.add_argument( '-u' , type = str ) parse.add_argument( '-d' , type = str ) parse.add_argument( '-o' , type = str ) args = parse.parse_args() return vars (args) def urlAddQuery(url,query): query = query.replace( ',' , '&' ) if '?' in url: return url.replace( '?' , '?' + query + '&' ) else : return url + '?' + query def getHref(): args = getArgs() url = args[ 'u' ] query = args[ 'd' ].strip( "\'" ) fileName = args[ 'o' ] doc = pq(url = url) with open (fileName, 'w' ) as f: for a in doc( 'a' ): a = pq(a) href = a.attr( 'href' ) if href: newurl = urlAddQuery(href,query) f.write(newurl + '\n' ) if __name__ = = '__main__' : getHref() |
2.创建解析器
1
2
|
import argparse parser = argparse.ArgumentParser() |
class ArgumentParser(prog=None, usage=None, description=None, epilog=None, parents=[], formatter_class=argparse.HelpFormatter, prefix_chars='-', fromfile_prefix_chars=None, argument_default=None, conflict_handler='error', add_help=True)
创建一个ArgumentParser实例对象,ArgumentParser对象的参数都为关键字参数。
prog:程序的名字,默认为sys.argv[0],用来在help信息中描述程序的名称。
1
2
3
4
5
6
|
>>> parser = argparse.ArgumentParser(prog= 'myprogram' ) >>> parser.print_help() usage: myprogram [-h] optional arguments: -h, --help show this help message and exit |
usage:描述程序用途的字符串
1
2
3
4
5
6
7
8
9
10
11
12
|
>>> parser = argparse.ArgumentParser(prog= 'PROG' , usage= '%(prog)s [options]' ) >>> parser.add_argument( '--foo' , nargs= '?' , help= 'foo help' ) >>> parser.add_argument( 'bar' , nargs= '+' , help= 'bar help' ) >>> parser.print_help() usage: PROG [options] positional arguments: bar bar help optional arguments: -h, --help show this help message and exit --foo [FOO] foo help |
description:help信息前的文字。
epilog:help信息之后的信息
1
2
3
4
5
6
7
8
9
10
11
12
|
>>> parser = argparse.ArgumentParser( ... description= 'A foo that bars' , ... epilog= "And that's how you'd foo a bar" ) >>> parser.print_help() usage: argparse.py [-h] A foo that bars optional arguments: -h, --help show this help message and exit And that 's how you' d foo a bar |
parents:由ArgumentParser对象组成的列表,它们的arguments选项会被包含到新ArgumentParser对象中。
1
2
3
4
5
6
7
|
>>> parent_parser = argparse.ArgumentParser(add_help=False) >>> parent_parser.add_argument( '--parent' , type= int ) >>> foo_parser = argparse.ArgumentParser(parents=[parent_parser]) >>> foo_parser.add_argument( 'foo' ) >>> foo_parser.parse_args([ '--parent' , '2' , 'XXX' ]) Namespace(foo= 'XXX' , parent=2) |
formatter_class:help信息输出的格式,
prefix_chars:参数前缀,默认为'-'
1
2
3
4
5
|
>>> parser = argparse.ArgumentParser(prog= 'PROG' , prefix_chars= '-+' ) >>> parser.add_argument( '+f' ) >>> parser.add_argument( '++bar' ) >>> parser.parse_args( '+f X ++bar Y' .split()) Namespace(bar= 'Y' , f= 'X' ) |
fromfile_prefix_chars:前缀字符,放在文件名之前
1
2
3
4
5
6
|
>>> with open( 'args.txt' , 'w' ) as fp: ... fp.write( '-f\nbar' ) >>> parser = argparse.ArgumentParser(fromfile_prefix_chars= '@' ) >>> parser.add_argument( '-f' ) >>> parser.parse_args([ '-f' , 'foo' , '@args.txt' ]) Namespace(f= 'bar' ) |
当参数过多时,可以将参数放到文件中读取,例子中parser.parse_args(['-f', 'foo', '@args.txt'])解析时会从文件args.txt读取,相当于['-f', 'foo', '-f', 'bar']。
argument_default:参数的全局默认值。例如,要禁止parse_args时的参数默认添加,我们可以:
1
2
3
4
5
6
7
|
>>> parser = argparse.ArgumentParser(argument_default=argparse.SUPPRESS) >>> parser.add_argument( '--foo' ) >>> parser.add_argument( 'bar' , nargs= '?' ) >>> parser.parse_args([ '--foo' , '1' , 'BAR' ]) Namespace(bar= 'BAR' , foo= '1' ) >>> parser.parse_args() Namespace() |
当parser.parse_args()时不会自动解析foo和bar了。
conflict_handler:解决冲突的策略,默认情况下冲突会发生错误:
1
2
3
4
5
6
|
>>> parser = argparse.ArgumentParser(prog= 'PROG' ) >>> parser.add_argument( '-f' , '--foo' , help= 'old foo help' ) >>> parser.add_argument( '--foo' , help= 'new foo help' ) Traceback (most recent call last): .. ArgumentError: argument --foo: conflicting option string (s): --foo |
我们可以设定冲突解决策略:
1
2
3
4
5
6
7
8
9
10
|
>>> parser = argparse.ArgumentParser(prog= 'PROG' , conflict_handler= 'resolve' ) >>> parser.add_argument( '-f' , '--foo' , help= 'old foo help' ) >>> parser.add_argument( '--foo' , help= 'new foo help' ) >>> parser.print_help() usage: PROG [-h] [-f FOO] [--foo FOO] optional arguments: -h, --help show this help message and exit -f FOO old foo help --foo FOO new foo help |
add_help:设为False时,help信息里面不再显示-h --help信息。
3.添加参数选项
1
2
3
4
5
|
>>> parser.add_argument( 'integers' , metavar= 'N' , type= int , nargs= '+' , ... help= 'an integer for the accumulator' ) >>> parser.add_argument( '--sum' , dest= 'accumulate' , action= 'store_const' , ... const =sum, default =max, ... help= 'sum the integers (default: find the max)' ) |
add_argument(name or flags...[, action][, nargs][, const][, default][, type][, choices][, required][, help][, metavar][, dest])
name or flags:参数有两种,可选参数和位置参数。
添加可选参数:
1
|
>>> parser.add_argument( '-f' , '--foo' ) |
添加位置参数:
1
|
>>> parser.add_argument( 'bar' ) |
parse_args()运行时,会用'-'来认证可选参数,剩下的即为位置参数。
1
2
3
4
5
6
7
8
9
10
|
>>> parser = argparse.ArgumentParser(prog= 'PROG' ) >>> parser.add_argument( '-f' , '--foo' ) >>> parser.add_argument( 'bar' ) >>> parser.parse_args([ 'BAR' ]) Namespace(bar= 'BAR' , foo=None) >>> parser.parse_args([ 'BAR' , '--foo' , 'FOO' ]) Namespace(bar= 'BAR' , foo= 'FOO' ) >>> parser.parse_args([ '--foo' , 'FOO' ]) usage: PROG [-h] [-f FOO] bar PROG: error: too few arguments |
解析时没有位置参数就会报错了。
action:默认为store
store_const,值存放在const中:
1
2
3
4
|
>>> parser = argparse.ArgumentParser() >>> parser.add_argument( '--foo' , action= 'store_const' , const =42) >>> parser.parse_args( '--foo' .split()) Namespace(foo=42) |
store_true和store_false,值存为True或False
1
2
3
4
5
6
|
>>> parser = argparse.ArgumentParser() >>> parser.add_argument( '--foo' , action= 'store_true' ) >>> parser.add_argument( '--bar' , action= 'store_false' ) >>> parser.add_argument( '--baz' , action= 'store_false' ) >>> parser.parse_args( '--foo --bar' .split()) Namespace(bar=False, baz=True, foo=True) |
append:存为列表
1
2
3
4
|
>>> parser = argparse.ArgumentParser() >>> parser.add_argument( '--foo' , action= 'append' ) >>> parser.parse_args( '--foo 1 --foo 2' .split()) Namespace(foo=[ '1' , '2' ]) |
append_const:存为列表,会根据const关键参数进行添加:
1
2
3
4
5
|
>>> parser = argparse.ArgumentParser() >>> parser.add_argument( '--str' , dest= 'types' , action= 'append_const' , const =str) >>> parser.add_argument( '--int' , dest= 'types' , action= 'append_const' , const = int ) >>> parser.parse_args( '--str --int' .split()) Namespace(types=[<type 'str' >, <type 'int' >]) |
count:统计参数出现的次数
1
2
3
4
|
>>> parser = argparse.ArgumentParser() >>> parser.add_argument( '--verbose' , '-v' , action= 'count' ) >>> parser.parse_args( '-vvv' .split()) Namespace(verbose=3) |
help:help信息
version:版本
1
2
3
4
5
|
>>> import argparse >>> parser = argparse.ArgumentParser(prog= 'PROG' ) >>> parser.add_argument( '--version' , action= 'version' , version= '%(prog)s 2.0' ) >>> parser.parse_args([ '--version' ]) PROG 2.0 |
nargs:参数的数量
值可以为整数N(N个),*(任意多个),+(一个或更多)
1
2
3
4
5
6
|
>>> parser = argparse.ArgumentParser() >>> parser.add_argument( '--foo' , nargs= '*' ) >>> parser.add_argument( '--bar' , nargs= '*' ) >>> parser.add_argument( 'baz' , nargs= '*' ) >>> parser.parse_args( 'a b --foo x y --bar 1 2' .split()) Namespace(bar=[ '1' , '2' ], baz=[ 'a' , 'b' ], foo=[ 'x' , 'y' ]) |
值为?时,首先从命令行获得参数,若没有则从const获得,然后从default获得:
1
2
3
4
5
6
7
8
9
|
>>> parser = argparse.ArgumentParser() >>> parser.add_argument( '--foo' , nargs= '?' , const = 'c' , default = 'd' ) >>> parser.add_argument( 'bar' , nargs= '?' , default = 'd' ) >>> parser.parse_args( 'XX --foo YY' .split()) Namespace(bar= 'XX' , foo= 'YY' ) >>> parser.parse_args( 'XX --foo' .split()) Namespace(bar= 'XX' , foo= 'c' ) >>> parser.parse_args( '' .split()) Namespace(bar= 'd' , foo= 'd' ) |
更常用的情况是允许参数为文件
1
2
3
4
5
6
7
8
9
10
11
|
>>> parser = argparse.ArgumentParser() >>> parser.add_argument( 'infile' , nargs= '?' , type=argparse.FileType( 'r' ), ... default =sys.stdin) >>> parser.add_argument( 'outfile' , nargs= '?' , type=argparse.FileType( 'w' ), ... default =sys.stdout) >>> parser.parse_args([ 'input.txt' , 'output.txt' ]) Namespace(infile=<open file 'input.txt' , mode 'r' at 0x...>, outfile=<open file 'output.txt' , mode 'w' at 0x...>) >>> parser.parse_args([]) Namespace(infile=<open file '<stdin>' , mode 'r' at 0x...>, outfile=<open file '<stdout>' , mode 'w' at 0x...>) |
const:保存一个常量
default:默认值
type:参数类型
choices:可供选择的值
1
2
3
4
5
6
7
|
>>> parser = argparse.ArgumentParser(prog= 'doors.py' ) >>> parser.add_argument( 'door' , type= int , choices=range(1, 4)) >>> print(parser.parse_args([ '3' ])) Namespace(door=3) >>> parser.parse_args([ '4' ]) usage: doors.py [-h] {1,2,3} doors.py: error: argument door: invalid choice: 4 (choose from 1, 2, 3) |
required:是否必选
desk:可作为参数名
1
2
3
4
|
>>> parser = argparse.ArgumentParser() >>> parser.add_argument( '--foo' , dest= 'bar' ) >>> parser.parse_args( '--foo XXX' .split()) Namespace(bar= 'XXX' ) |
4.解析参数
参数有几种写法:
最常见的空格分开:
1
2
3
4
5
6
7
|
>>> parser = argparse.ArgumentParser(prog= 'PROG' ) >>> parser.add_argument( '-x' ) >>> parser.add_argument( '--foo' ) >>> parser.parse_args( '-x X' .split()) Namespace(foo=None, x= 'X' ) >>> parser.parse_args( '--foo FOO' .split()) Namespace(foo= 'FOO' , x=None) |
长选项用=分开
1
2
|
>>> parser.parse_args( '--foo=FOO' .split()) Namespace(foo= 'FOO' , x=None) |
短选项可以写在一起:
1
2
|
>>> parser.parse_args( '-xX' .split()) Namespace(foo=None, x= 'X' ) |
parse_args()方法的返回值为namespace,可以用vars()内建函数化为字典:
1
2
3
4
5
|
>>> parser = argparse.ArgumentParser() >>> parser.add_argument( '--foo' ) >>> args = parser.parse_args([ '--foo' , 'BAR' ]) >>> vars(args) { 'foo' : 'BAR' } |
Python命令行解析库argparse(转)的更多相关文章
- Python命令行解析库argparse
2.7之后python不再对optparse模块进行扩展,python标准库推荐使用argparse模块对命令行进行解析. 1.example 有一道面试题:编写一个脚本main.py,使用方式如下: ...
- python命令行解析模块--argparse
python命令行解析模块--argparse 目录 简介 详解ArgumentParser方法 详解add_argument方法 参考文档: https://www.jianshu.com/p/aa ...
- Python 命令行解析工具 Argparse介绍
最近在研究pathon的命令行解析工具,argparse,它是Python标准库中推荐使用的编写命令行程序的工具. 以前老是做UI程序,今天试了下命令行程序,感觉相当好,不用再花大把时间去研究界面问题 ...
- python命令行解析工具argparse模块【1】
argpaser是python中很好用的一个命令行解析模块,使用它我们可以很方便的创建用户友好型命令行程序.而且argparse会自动生成帮助信息和错误信息. 一.示例 例如下面的例子,从命令行中获取 ...
- Python 命令行解析模块 —— argparse
argparse是python标准库里面用来处理命令行参数的库,基本使用步骤如下: 1.import argparse 导入模块 2.parser = argparse.ArgumentPars ...
- python命令行解析工具argparse模块【2】
上一节,我们简要的介绍了argparse的用法,接下来几节,将详细讲解其中的参数及用法,这一节我们讲解ArgumentParser对象. argparse.ArgumentParser([descri ...
- python命令行解析工具argparse模块【3】
上一节,我们讲解了ArgumentParser对象,这一节我们将学习这个对象的add_argument()方法. add_argument()方法的定义了如何解析一个命令行参数,每个参 ...
- python命令行解析工具argparse模块【5】
上一节我们学习了parse_args()的用法,这一节,我们将继续学习argparse的其他一些用法. 1.sub-commands子命令 argpar ...
- python命令行解析工具argparse模块【4】
上一节我们讲解了add_argument()方法,这一节我们将学习parse_args()方法. parse_args()方法的作用是解析命令行参数,并返回解析之后的 ...
随机推荐
- Selenium 执行JavaScript
Selenium 可以直接模拟运行 JavaScript,使用 execute_script() 方法即可实现 from selenium import webdriver browser = web ...
- Android系统启动流程
当系统引导程序启动Linux内核,内核会记载各种数据结构,和驱动程序,加载完毕之后,Android系统开始启动并加载第一个用户级别的进程:init(system/core/init/Init.c) 查 ...
- C语言的f(open)函数(文件操作/读写)
头文件:#include <stdio.h> fopen()是一个常用的函数,用来以指定的方式打开文件,其原型为: FILE * fopen(const char * path, ...
- MVC的路由设置【转】
转,MVC的路由设置. 后端获取路由里面action的参数,函数需要设置相同的参数名称才行. routes.MapRoute( "Default", "{controll ...
- JSON调试找不到 net.sf.ezmorph.Morpher
JSON中,java.lang.NoClassDefFoundError: net/sf/ezmorph/Morpher问题解决 使用JSON,在SERVLET或者STRUTS的ACTION中取得数据 ...
- Android学习之Dialog
在Android开发中,我们经常会需要在Android界面上弹出一些对话框,比如询问用户或者让用户选择.这些功能我们叫它Android Dialog对话框; 实例如下: 1.效果图: 2.XML代码: ...
- 获取访客IP、地区位置信息、浏览器、来源页面
<?php //这个类似用来获取访客信息的 //方便统计 class visitorInfo { //获取访客ip public function getIp() { $ip=false; if ...
- 【前端开发】 JS面试题整理
1.截取字符串abcdace的acealert('abcdace'.substring(4)); 2.规避javascript多人开发函数重名问题命名空间封闭空间js模块化mvc(数据层.表现层.控制 ...
- 【docker】 VI/VIM 无法使用系统剪贴板(clipboard)
docker 容器里边操作系统是ubuntu .默认是没有vim 的,需要自己安装一下 1 更新源 apt-get update 2 安装 vim apt-get install vim 此时.系统不 ...
- 【WEB前端开发最佳实践系列】CSS篇
一.有效组织CSS代码 规划组织CSS代码:组织CSS代码文件,所有的CSS都可以分为2类,通用类和业务类.代码的组织应该把通用类和业务类的代码放在不同的目录中. 模块内部的另一样式规则:样式声明的顺 ...