Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

python convert a string to arguments list

Tags:

python

eval

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 like above code
s='a=2, b=3'
func(s)

I know:

list can, just use *list, but list can't have an element like: a=2

and eval can only evaluate expression

which would be like:

def func2(*args):
    for a in args:
        print a

list1=[1,2,3]
func2(*list1)
func2(*eval('1,2,3'))
like image 268
Aylwyn Lake Avatar asked Nov 28 '13 10:11

Aylwyn Lake


3 Answers

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.

like image 176
Martijn Pieters Avatar answered Oct 20 '22 23:10

Martijn Pieters


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.

like image 33
Kwame Avatar answered Oct 20 '22 23:10

Kwame


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
like image 32
Frerich Raabe Avatar answered Oct 20 '22 22:10

Frerich Raabe