您的位置:

Python命令行参数全解析

一、Python命令行参数是什么

大多数Python脚本都可以通过命令行来运行。命令行参数是指在命令行上输入的特定参数,这些参数可以影响脚本的行为。这些参数通常以标志(flag)或参数(argument)形式出现。在Python中,可以使用argparse模块来解析命令行参数。

二、如何使用argparse模块

argparse模块是Python标准库中用于解析命令行参数的模块。该模块使得编写用户友好的命令行界面变得容易。

使用argparse模块的步骤如下:

1.创建ArgumentParser对象,该对象将会保存所有的命令行参数。

import argparse

parser = argparse.ArgumentParser(description='Process some integers.')

2.使用add_argument()方法向ArgumentParser对象中添加参数信息,包括参数的名字、参数的缩写(可选)、参数类型、参数解释等。

parser.add_argument('integers', metavar='N', type=int, nargs='+',
                    help='an integer for the accumulator')

3.使用parse_args()方法解析命令行参数。

args = parser.parse_args()

以下是一个完整的示例:

import argparse

parser = argparse.ArgumentParser(description='Process some integers.')
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)')
args = parser.parse_args()
print(args.accumulate(args.integers))

三、常用的参数类型

在add_argument()方法中,可以预定义常用的参数类型。以下是几种常见的类型:

  1. int: 整数
  2. float: 浮点数
  3. str: 字符串
  4. bool: 布尔型
  5. file: 文件类型

四、添加参数

在使用add_argument()方法添加参数时,可以使用以下参数:

  1. name or flags:参数的名字或者选项字符串,例如 foo 或者 -f, --foo。
  2. action:参数的动作基本类型。
  3. type:参数数据类型。
  4. required: 参数是否必须,默认为 False。
  5. default: 当命令行中未带该参数时,使用的默认值。
  6. help: 参数作用说明。
  7. choices: 参数允许的值的列表。
  8. metavar: 参数在使用说明中的名称。

五、案例

以下是一个基于argparse模块的简单计算器程序,演示了如何使用argparse模块来解析命令行参数,并根据参数进行相应的操作。

import argparse

parser = argparse.ArgumentParser(description='Simple Calculator')
parser.add_argument('num1', type=float, help='first number')
parser.add_argument('num2', type=float, help='second number')
parser.add_argument('--add', dest='operation', action='store_const',
                    const=lambda x, y: x + y, help='add the two numbers')
parser.add_argument('--sub', dest='operation', action='store_const',
                    const=lambda x, y: x - y, help='subtract the two numbers')
parser.add_argument('--mul', dest='operation', action='store_const',
                    const=lambda x, y: x * y, help='multiply the two numbers')
args = parser.parse_args()
print(args.operation(args.num1, args.num2))

在命令行中执行以下命令:

python calculator.py 2 3 --add

计算得到结果:

5.0

六、总结

Python中的argparse模块可以方便开发者编写命令行程序。通过解析命令行参数,可以动态地控制程序的行为。使用argparse模块,可以简化从命令行获取参数的过程,减少了手动解析命令行参数的工作量。