python convert a string to arguments list

点点圈 提交于 2019-12-03 06:14:43

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

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.

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.

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!