How to expand a list to function arguments in Python
It exists, but it's hard to search for. I think most people call it the "splat" operator.
It's in the documentation as "Unpacking argument lists".
You'd use it like this for positional arguments:
values = [1, 2]
foo(*values)
There's also one for dictionaries to call with named arguments:
d = {'a': 1, 'b': 2}
def foo(a, b):
pass
foo(**d)
You should use the * operator, like foo(*values)
Read the Python doc unpackaging argument lists.
Also, do read this: http://www.saltycrane.com/blog/2008/01/how-to-use-args-and-kwargs-in-python/
def foo(x,y,z):
return "%d, %d, %d" % (x,y,z)
values = [1,2,3]
# the solution.
foo(*values)