4

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

-b benchname1

这个perpose的代码是:

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

有什么建议吗?

谢谢

4

3 回答 3

8

如果你有 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']
于 2011-10-06T08:10:11.383 回答
4
    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')
于 2011-10-06T07:38:46.680 回答
1

您可以接受逗号分隔的基准名称列表,如下所示

-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])
于 2011-10-06T07:47:44.270 回答