Python中解包参数列表/ dict案例中的关键字参数

pro*_*eek 5 python argument-passing

对于python,我可以使用如下的解包参数.

def hello(x, *y, **z):
    print 'x', x
    print 'y', y
    print 'z', z

hello(1, *[1,2,3], a=1,b=2,c=3)
hello(1, *(1,2,3), **{'a':1,'b':2,'c':3})
Run Code Online (Sandbox Code Playgroud)
x =  1
y =  (1, 2, 3)
z =  {'a': 1, 'c': 3, 'b': 2}

但是,如果我使用关键字参数,我得到一个错误如下.

hello(x=1, *(1,2,3), **{'a':1,'b':2,'c':3})
Run Code Online (Sandbox Code Playgroud)
TypeError: hello() got multiple values for keyword argument 'x'

为什么是这样?

Phi*_*ipp 9

无论指定它们的顺序如何,都会在关键字参数之前分配位置参数.在您的情况下,位置参数是(1, 2, 3)和关键字参数x=1, a=1, b=2, c=3.因为首先分配位置参数,所以参数x接收1并且不再符合关键字参数的条件.这听起来有点奇怪,因为在语法上你的位置参数是关键字参数之后指定的,但是仍然遵守"位置参数→关键字参数"的顺序.

这是一个更简单的例子:

>>> def f(x): pass
... 
>>> f(1, x=2)
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: f() got multiple values for keyword argument 'x'
>>> f(x=2, *(1,))
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: f() got multiple values for keyword argument 'x'
Run Code Online (Sandbox Code Playgroud)