一、def function(*args)—传递任意数量的位置参数
有时候,由于预先不知道函数需要接受多少个位置参数,Python允许函数从调用语句中收集任意数量的位置参数。
code 1:
def make_pizza(*toppings):
"""打印顾客点的所有配料"""
print(toppings)
make_pizza('pepperoni')
make_pizza('mushrooms', 'green peppers', 'extra cheese')
('pepperoni',)
('mushrooms', 'green peppers', 'extra cheese')
形参名*toppings
中的*
让Python创建一个名为toppings的空元组,并将收到的所有值都封装到这个元组中。
二、def function(**kwargs)—使用任意数量的关键字参数
有时候,需要接受任意数量的参数,但预先不知道传递给函数的会是什么样的信息。在这种情况下,可将函数编写成能够接受任意数量的键—值对——调用语句提供了多少就接受多少。
code 2:
def build_profile(first, last, **user_info):
"""创建一个字典,其中包含有关用户的一切信息"""
profile = {}
profile['first_name'] = first
profile['last_name'] = last
for key, value in user_info.items():
profile[key] = value
return profile
user_profile = build_profile('albert', 'einstein',
location='princeton',
field='physics')
print(user_profile)
{'first_name': 'albert', 'last_name': 'einstein', 'location': 'princeton', 'field': 'physics'}
形参**user_info
中的**
让Python创建一个名为user_info的空字典,并将收到的所有名称—值对都封装到这个字典中。
三、混合参数类型—次序定义
任意的位置参数和关键字参数可以和其他标准的参数声明一起使用。混合使用时,要注意必须按python的次序定义,没有用到的类别可以跳过。
- 必须的参数
- 可选的参数
- 过量的位置参数
- 过量的关键字参数
code 3:
def complex_function(a, b=None, *c, **d):
这个次序是必须的,因为*args
和**kwargs
只接受那些没有放进来的其他任何参数。没有这个次序,当你调用一个带有位置参数的函数时,python就不知道哪个值时已声明参数想要的,也不知道哪个被作为过量参数对待。
当函数能接受必须的参数和可选的参数,那么它只要定义一个过量的参数类型即可。
四、创建参数列表
除了定义函数时能让函数接受任意的参数集合,也能用*
和**
构建参数列表,传递给事先没有定义的函数。
code 4:
def add(a, b, c)
return a + b + c
print(add(1, 2, 3))
print(add(a=4, b= 5, c=6))
args = (2, 3)
print(add(1, *args))
kwargs = {'b': 5, 'c' : 6}
print(add(4, **kwargs))
6
15
6
15
参考资料:
《Python Crash Course》