python convert a string to arguments list

后端 未结 3 778
爱一瞬间的悲伤
爱一瞬间的悲伤 2021-02-08 12:39

Can I convert a string to arguments list in python?

def func(**args):
    for a in args:
        print a, args[a]

func(a=2, b=3)

# I want the following work li         


        
相关标签:
3条回答
  • 2021-02-08 13:14

    You could massage the input string into a dictionary and then call your function with that, e.g.

    >>> x='a=2, b=3'
    >>> args = dict(e.split('=') for e in x.split(', '))
    >>> f(**args)
    a 2
    b 3
    
    0 讨论(0)
  • 2021-02-08 13:27

    You want a dictionary, not an 'argument list'. You also would be better off using ast.literal_eval() to evaluate just Python literals:

    from ast import literal_eval
    
    params = "{'a': 2, 'b': 3}"
    func(**literal_eval(params))
    

    Before you go this route, make sure you've explored other options for marshalling options first, such as argparse for command-line options, or JSON for network or file-based transfer or persistence.

    0 讨论(0)
  • 2021-02-08 13:34

    You can use the string as an argument list directly in an call to eval, e.g.

    def func(**args):
    for a in args:
        print( a, args[a])
    
    s='a=2, b=3'
    
    eval('func(' + s + ')')
    >>>b 3
    >>>a 2
    

    note that func needs to be in the namespace for the eval call to work like this.

    0 讨论(0)
提交回复
热议问题