How to expand a list to function arguments in Python

PythonArguments

Python Problem Overview


Is there syntax that allows you to expand a list into the arguments of a function call?

Example:

# Trivial example function, not meant to do anything useful.
def foo(x,y,z):
   return "%d, %d, %d" %(x,y,z)

# List of values that I want to pass into foo.
values = [1,2,3]

# I want to do something like this, and get the result "1, 2, 3":
foo( values.howDoYouExpandMe() )

Python Solutions


Solution 1 - 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)

Solution 2 - Python

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)

Solution 3 - Python

Try the following:

foo(*values)

This can be found in the Python docs as Unpacking Argument Lists.

Solution 4 - Python

That can be done with:

foo(*values)

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionBrian McFarlandView Question on Stackoverflow
Solution 1 - PythonDaenythView Answer on Stackoverflow
Solution 2 - PythonvarunlView Answer on Stackoverflow
Solution 3 - PythonAndrew ClarkView Answer on Stackoverflow
Solution 4 - PythonIkkeView Answer on Stackoverflow