如何在Python中使用一个或多个相同的位置参数?
介绍..
如果我们正在编写一个对两个数字执行算术运算的程序,则可以将它们定义为两个位置参数。但是由于它们是相同种类的/python数据类型的参数,因此使用nargs选项告诉argparse您确实需要两种相同的类型可能更有意义。
怎么做..
1.让我们编写一个程序来减去两个数字(两个参数都是相同的类型)。
示例
import argparse def get_args(): """ Function : get_args parameters used in .add_argument 1. metavar - Provide a hint to the user about the data type. - By default, all arguments are strings. 2. type - The actual Python data type - (note the lack of quotes around str) 3. help - A brief description of the parameter for the usage 4. nargs - require exactly nargs values. """ parser = argparse.ArgumentParser( description='Example for nargs', formatter_class=argparse.ArgumentDefaultsHelpFormatter) parser.add_argument('numbers', metavar='int', nargs=2, type=int, help='Numbers of type int for subtraction') return parser.parse_args() def main(): args = get_args() num1, num2 = args.numbers print(f" *** Subtracting two number - {num1} - {num2} = {num1 - num2}") if __name__ == '__main__': main()
nargs=2将需要两个值。
每个值都必须作为整数值发送,否则我们的程序将出错。
让我们通过传递不同的值来运行程序。
输出结果
<<< python test.py 30 10 *** Subtracting two number - 30 - 10 = 40 <<< python test.py 30 10 *** Subtracting two number - 30 - 10 = 20 <<< python test.py 10 30 *** Subtracting two number - 10 - 30 = -20 <<< python test.py 10 10 30 usage: test.py [-h] int int test.py: error: unrecognized arguments: 30 <<< python test.py usage: test.py [-h] int int test.py: error: the following arguments are required: int