python的命令行解析模块argparse是怎么去解析命令行的,请举一个例子包括:命令行是什么,模块怎么去解析
时间: 2024-05-01 09:17:54 浏览: 81
Python如何使用argparse模块处理命令行参数
argparse模块是 Python 自带的命令行解析模块,用来解析命令行参数。 它可以自动生成帮助信息,并确保用户提供正确的参数。 下面是一个例子:
假设有一个 python 脚本 hello.py,可以接受两个命令行参数 name 和 age,我们可以使用 argparse 模块进行解析。以下是脚本代码:
```
import argparse
parser = argparse.ArgumentParser(description='Process some integers.')
parser.add_argument('name', help='your name')
parser.add_argument('age', type=int, help='your age')
args = parser.parse_args()
print(f"Hello {args.name}, you are {args.age} years old")
```
在命令行中执行: `python hello.py --help`,会输出以下信息:
```
usage: hello.py [-h] name age
Process some integers.
positional arguments:
name your name
age your age
optional arguments:
-h, --help show this help message and exit
```
这里 `-h` 参数是 argparse 模块自动生成的帮助信息。
现在我们可以执行 `python hello.py alice 20` 命令,argparse 就会解析我们输入的参数,输出:`Hello alice, you are 20 years old`。
阅读全文