I want to pass all the arguments passed to a function(func1
) as arguments to another function(func2
) inside func1
This can be done wit
Provided that the arguments to func1 are only keyword arguments, you could do this:
def func1(a=1, b=2, c=3):
func2(**locals())
As others have said, using locals()
might cause you to pass on more variables than intended, if func1()
creates new variables before calling func2()
.
This is can be circumvented by calling locals()
as the first thing, like so:
def func1(a=1, b=2,c=3):
par = locals()
d = par["a"] + par["b"]
func2(**par)
Explicit is better than implicit but if you really don't want to type a few characters:
def func1(a=1, b=2, c=3):
func2(**locals())
locals()
are all local variables, so you can't set any extra vars before calling func2
or they will get passed too.