所以我很难理解*args和**kwargs的概念。
到目前为止,我了解到:
*args=参数列表-作为位置参数**kwargs=dictionary-其键成为单独的关键字参数,值成为这些参数的值。
我不知道这对什么编程任务有帮助。
也许 吧:
我想输入列表和字典作为函数的参数,同时作为通配符,这样我就可以传递任何参数了?
有没有一个简单的例子来解释如何使用*args和**kwargs?
另外,我发现的教程只使用了“*”和变量名。
*args和**kwargs只是占位符吗?还是在代码中使用的是*args或**kwarg?
这些参数通常用于代理函数,因此代理可以将任何输入参数传递给目标函数。
def foo(bar=2, baz=5):
print bar, baz
def proxy(x, *args, **kwargs): # reqire parameter x and accept any number of additional arguments
print x
foo(*args, **kwargs) # applies the "non-x" parameter to foo
proxy(23, 5, baz='foo') # calls foo with bar=5 and baz=foo
proxy(6)# calls foo with its default arguments
proxy(7, bar='asdas') # calls foo with bar='asdas' and leave baz default argument
但由于这些参数隐藏了实际的参数名称,因此最好避免使用它们。
这些参数通常用于代理函数,因此代理可以将任何输入参数传递给目标函数。
def foo(bar=2, baz=5):
print bar, baz
def proxy(x, *args, **kwargs): # reqire parameter x and accept any number of additional arguments
print x
foo(*args, **kwargs) # applies the "non-x" parameter to foo
proxy(23, 5, baz='foo') # calls foo with bar=5 and baz=foo
proxy(6)# calls foo with its default arguments
proxy(7, bar='asdas') # calls foo with bar='asdas' and leave baz default argument
但由于这些参数隐藏了实际的参数名称,因此最好避免使用它们。
使用*args和**kwargs非常有用的一个地方是子类化。
class Foo(object):
def __init__(self, value1, value2):
# do something with the values
print value1, value2
class MyFoo(Foo):
def __init__(self, *args, **kwargs):
# do something else, don't care about the args
print 'myfoo'
super(MyFoo, self).__init__(*args, **kwargs)
通过这种方式,您可以扩展Foo类的行为,而不必对Foo了解太多。如果您正在对可能会更改的API进行编程,这将非常方便。MyFoo只是将所有参数传递给Foo类。
下面是一个使用3种不同类型参数的示例。
def func(required_arg, *args, **kwargs):
# required_arg is a positional-only parameter.
print required_arg
# args is a tuple of positional arguments,
# because the parameter name has * prepended.
if args: # If args is not empty.
print args
# kwargs is a dictionary of keyword arguments,
# because the parameter name has ** prepended.
if kwargs: # If kwargs is not empty.
print kwargs
>>> func()
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: func() takes at least 1 argument (0 given)
>>> func("required argument")
required argument
>>> func("required argument", 1, 2, '3')
required argument
(1, 2, '3')
>>> func("required argument", 1, 2, '3', keyword1=4, keyword2="foo")
required argument
(1, 2, '3')
{'keyword2': 'foo', 'keyword1': 4}