def describe_pet(pet_name, animal_type='dog'):
"""Display information about a pet."""
print("\nI have a " + animal_type + ".")
print("My " + animal_type + "'s name is " + pet_name.title() + ".")
# A dog named Willie.
describe_pet('willie')
describe_pet(pet_name='willie')
# A hamster named Harry.
describe_pet('harry', 'hamster')
describe_pet(pet_name='harry', animal_type='hamster')
describe_pet(animal_type='hamster', pet_name='harry')
- animal_type = 'dog' 表明animal_type默认值为dog,使用默认值时,在形参列表中必须先列出没有默认值的形参。
- 在创建名为Harry的仓鼠时,最下方三种形式都是等价的。
可以通过设置默认空值来让实参变成可选的:
def get_formatted_name(first_name, last_name, middle_name=''):
if middle_name:
full_name = first_name + ' ' + middle_name + ' ' + last_name
else:
full_name = first_name + ' ' + last_name
return full_name.title()
musician = get_formatted_name('jimi', 'hendrix')
print(musician)
musician = get_formatted_name('john', 'hooker', 'lee')
print(musician)
为了防止函数修改列表,可向函数传入列表的副本而不是原件,这样函数的任何操作都只影响副本。可以像下面这样做:
function_name(list_name[:])
预先不知道函数要接受多少个实参的话,可以使用如下语法。以制作披萨所需配料为例:
def make_pizza(*toppings):
print(toppings)
make_pizza('pepperoni')
make_pizza('mushrooms', 'green peppers', 'extra cheese')
形参toppings前的*让Python创建一个名为toppings的空元组,并将收到的所有值都封装到这个元组中。不管函数收到的实参是多少个,这种语法都管用。
如果要让函数接受不同类型的实参,必须在函数定义中将接纳任意数量实参的形参放在最后。Python先匹配位置实参和关键字实参,再将余下的实参都收集到最后一个形参中。
例如,如果前面的函数还需要一个表示比萨尺寸的实参,则代码如下:
def make_pizza(size, *toppings):
"""Summarize the pizza we are about to make."""
print("\nMaking a " + str(size) +
"-inch pizza with the following toppings:")
for topping in toppings:
print("- " + topping)
make_pizza(16, 'pepperoni')
make_pizza(12, 'mushrooms', 'green peppers', 'extra cheese')
注意,这里会生成两个尺寸的比萨,第一个只有pepperoni,第二个有三种配料。
|