首页 > 代码库 > python的*和**参数

python的*和**参数

python里面有两个比较有特色的函数入参,*和**,按照习惯,一般命名为:

def func(*args, **kwargs):
    pass

如果要打印出来的话,args是一个元组,kwargs是一个字典,下面来看几个例子:

<pre name="code" class="python">def func_a(**kwargs):
    print kwargs

a = {"key": "value"}

func_a(a)  #func_a() takes exactly 0 arguments (1 given)
func_a(*a)  #func_a() takes exactly 0 arguments (1 given)
func_a(**a) #正常输出


def func_b(*args, **kwargs):
    print args
    print kwargs

func_b(a) 
#result
 ({'key': 'value'},)
{}

func_b(*a)
#result
('key',)
{}

func_b(**a)
#result
()
{'key': 'value'}

func_b(test="hello", **a)
#result
()
{'test':'hello', 'key':'value'}




自己看着撸吧~~

python的*和**参数