你如何将python中的命令行参数转换为字典?

时间:2012-10-09 19:59:55

标签: python command-line argv sys

我正在编写一个接受任意命令行参数的应用程序,然后将它们传递给python函数:

$ myscript.py --arg1=1 --arg2=foobar --arg1=4

然后在myscript.py:

里面
import sys
argsdict = some_function(sys.argv)

argsdict看起来像这样:

{'arg1': ['1', '4'], 'arg2': 'foobar'}

我确定某个地方有一个图书馆,但我找不到任何东西。

编辑: argparse / getopt / optparse不是我想要的。这些库用于定义每次调用相同的接口。我需要能够处理任意参数。

除非,argparse / optparse / getopt具有执行此操作的功能......

7 个答案:

答案 0 :(得分:5)

..我可以问为什么你试图重写(一堆)轮子,当你有:

编辑:

在回复您的编辑时,optparse / argparse(后者仅在> = 2.7中提供)足够灵活,可以扩展以满足您的需求,同时保持一致的界面(例如,用户希望能够使用--arg=value--arg value-a value-avalue等等。使用预先存在的库,您不必担心支持所有这些语法等。 )。

答案 1 :(得分:3)

以下是使用argparse的示例,尽管这是一个延伸。我不会称之为完整的解决方案,而是一个良好的开端。

class StoreInDict(argparse.Action):
    def __call__(self, parser, namespace, values, option_string=None):
        d = getattr(namespace, self.dest)
        for opt in values:
            k,v = opt.split("=", 1)
            k = k.lstrip("-")
            if k in d:
                d[k].append(v)
            else:
                d[k] = [v]
        setattr(namespace, self.dest, d)

# Prevent argparse from trying to distinguish between positional arguments
# and optional arguments. Yes, it's a hack.
p = argparse.ArgumentParser( prefix_chars=' ' )

# Put all arguments in a single list, and process them with the custom action above,
# which convertes each "--key=value" argument to a "(key,value)" tuple and then
# merges it into the given dictionary.
p.add_argument("options", nargs="*", action=StoreInDict, default=dict())

args = p.parse_args("--arg1=1 --arg2=foo --arg1=4".split())
print args.options

答案 2 :(得分:1)

这样的东西?

import sys

argsdict = {}

for farg in sys.argv:
    if farg.startswith('--'):
        (arg,val) = farg.split("=")
        arg = arg[2:]

        if arg in argsdict:
            argsdict[arg].append(val)
        else:
            argsdict[arg] = [val]     

与指定略有不同,值始终为列表。

答案 3 :(得分:1)

您可以使用以下内容:

<强> myscript.py

import sys
from collections import defaultdict

d=defaultdict(list)
for k, v in ((k.lstrip('-'), v) for k,v in (a.split('=') for a in sys.argv[1:])):
    d[k].append(v)

print dict(d)

<强>结果:

C:\>python myscript.py  --arg1=1 --arg2=foobar --arg1=4
{'arg1': ['1', '4'], 'arg2': ['foobar']}

注意:值始终是一个列表,但我认为这更加一致。如果你真的想要最后的字典

{'arg1': ['1', '4'], 'arg2': 'foobar'}

然后你可以运行

for k in (k for k in d if len(d[k])==1):
    d[k] = d[k][0]

之后。

答案 4 :(得分:1)

这就是我今天使用的,它占了:

--key=val--key-key-key val

def clean_arguments(args):
    ret_args = defaultdict(list)

    for index, k in enumerate(args):
        if index < len(args) - 1:
            a, b = k, args[index+1]
        else:
            a, b = k, None

        new_key = None

        # double hyphen, equals
        if a.startswith('--') and '=' in a:
            new_key, val = a.split('=')

        # double hyphen, no equals
        # single hyphen, no arg
        elif (a.startswith('--') and '=' not in a) or \
                (a.startswith('-') and (not b or b.startswith('-'))):
            val = True

        # single hypen, arg
        elif a.startswith('-') and b and not b.startswith('-'):
            val = b

        else:
            if (b is None) or (a == val):
                continue

            else:
                raise ValueError('Unexpected argument pair: %s, %s' % (a, b))

        # santize the key
        key = (new_key or a).strip(' -')
        ret_args[key].append(val)

    return ret_args

答案 5 :(得分:0)

  

或类似的东西)对不起,如果这很愚蠢,我是新手:)

     

$ python3 Test.py a 1 b 2 c 3

import sys

def somefunc():
    keys = []
    values = []
    input_d = sys.argv[1:]

    for i in range(0, len(input_d)-1, 2):
        keys.append(input_d[i])
        values.append(input_d[i+1])

    d_sys = dict(zip(keys, values))

somefunc()

答案 6 :(得分:-2)

如果你真的想写自己的东西而不是正确的命令行解析库,那么对于你的输入,这应该有效:

dict(map(lambda x: x.lstrip('-').split('='),sys.argv[1:]))

你想要添加一些东西来捕捉参数而不包含'='。