从命令行选项创建数组(python::optparse)

2024-06-01 05:58:24 发布

您现在位置:Python中文网/ 问答频道 /正文

有一个python脚本从命令行读取基准名称,如下所示:

-b benchname1

这个伪装的代码是:

import optparse
import Mybench
parser = optparse.OptionParser()
# Benchmark options
parser.add_option("-b", "--benchmark", default="", help="The benchmark to be loaded.")
if options.benchmark == 'benchname1':
  process = Mybench.b1
elif options.benchmark == 'benchname2':
  process = Mybench.b2
else:
  print "no such benchmark!"

我要做的是为这个命令行创建一个基准数组:

-b benchname1 benchname2

因此“进程”应该是一个数组,即:

process[0] = Mybench.b1
process[1] = Mybench.b2

有什么建议吗?

塔克斯


Tags: 命令行import脚本parser基准数组processb2
3条回答

对于这样的基准名称,可以接受逗号分隔的列表

-b benchname1,benchname2

然后处理代码中逗号分隔的列表以生成数组-

bench_map = {'benchname1': Mybench.b1,
             'benchname2': Mybench.b2,
            }
process = []

# Create a list of benchmark names of the form ['benchname1', benchname2']
benchmarks = options.benchmark.split(',')

for bench_name in benchmarks:
    process.append(bench_map[bench_name])

如果您有Python 2.7+,那么可以使用argparse模块而不是optparse。

import argparse

parser = argparse.ArgumentParser(description='Process benchmarks.')
parser.add_argument("-b", "--benchmark", default=[], type=str, nargs='+',
                    help="The benchmark to be loaded.")

args = parser.parse_args()
print args.benchmark

脚本的示例运行-

$ python sample.py -h
usage: sample.py [-h] [-b BENCHMARK [BENCHMARK ...]]

Process benchmarks.

optional arguments:
  -h, --help            show this help message and exit
  -b BENCHMARK [BENCHMARK ...], --benchmark BENCHMARK [BENCHMARK ...]
                        The benchmark to be loaded.

$ python sample.py -b bench1 bench2 bench3
['bench1', 'bench2', 'bench3']
    self.opt_parser.add_argument('-s', '--skip',
        default=[],
        type=str,
        help='A name of a project or build group to skip. Can be repeated to skip multiple projects.',
        dest='skip',
        action='append')

相关问题 更多 >