第八章 函数
8.1 定义函数
使用关键字def 来定义一个函数,这是函数的定义,并给出一个函数名
def greet_user():
“”“显示简单的问候语”"" #此处为文档字符串 (docstring)的注释,描述了函数是做什么的
print(“Hello!”)
greet_user()
8.1.1 向函数传递信息
def greet_user(username):
“”“显示简单的问候语”""
print("Hello, " + username.title() + “!”)
greet_user(‘jesse’)
8.1.2 实参和形参
在函数greet_user() 的定义中,变量username 是一个形参
在代码greet_user(‘jesse’) 中,值’jesse’ 是一个实参
在greet_user(‘jesse’) 中,将实参’jesse’ 传递给了函数greet_user() ,这个值被存储在形参username 中。
8.2 传递实参
8.2.1 位置实参
def describe_pet(animal_type, pet_name):
“”“显示宠物的信息”""
print("\nI have a " + animal_type + “.”)
print("My " + animal_type + "'s name is " + pet_name.title() + “.”)
describe_pet(‘hamster’, ‘harry’)
8.2.2 关键字实参
关键字实参直接在实参中将名称和值关联起来了,因此向函数传递实参时不会混淆
def describe_pet(animal_type, pet_name):
“”“显示宠物的信息”""
print("\nI have a " + animal_type + “.”)
print("My " + animal_type + "'s name is " + pet_name.title() + “.”)
describe_pet(animal_type=‘hamster’, pet_name=‘harry’)
8.2.3 默认值
给形参指定默认值后,可在函数调用中省略相应的实参。
def describe_pet(pet_name, animal_type=‘dog’): # 此处animal_type=‘dog’
“”“显示宠物的信息”""
print("\nI have a " + animal_type + “.”)
print("My " + animal_type + "'s name is " + pet_name.title() + “.”)
describe_pet(pet_name=‘willie’)
8.2.4 等效的函数调用
可混合使用位置实参、关键字实参和默认值,通常有多种等效的函数调用方式
def describe_pet(pet_name, animal_type=‘dog’):
#一条名为Willie的小狗
describe_pet(‘willie’)
describe_pet(pet_name=‘willie’) #和上一句意义相同
# 一只名为Harry的仓鼠
describe_pet(‘harry’, ‘hamster’)
describe_pet(pet_name=‘harry’, animal_type=‘hamster’) #和上一句意义相同
describe_pet(animal_type=‘hamster’, pet_name=‘harry’) #和上一句意义相同
8.3 返回值
8.3.1 返回简单值
使用return 语句将值返回到调用函数的代码行
def get_formatted_name(first_name, last_name):
“”“返回整洁的姓名”""
full_name = first_name + ’ ’ + last_name
return full_name.title()
musician = get_formatted_name(‘jimi’, ‘hendrix’)
print(musician)
8.3.2 让实参变成可选的
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)
8.3.3 返回字典
函数可返回任何类型的值,包括列表和字典等较复杂的数据结构。
def build_person(first_name, last_name):
“”“返回一个字典,其中包含有关一个人的信息”""
person = {‘first’: first_name, ‘last’: last_name}
return person
musician = build_person(‘jimi’, ‘hendrix’)
print(musician)
8.3.4 结合使用函数和while 循环
def get_formatted_name(first_name, last_name):
“”“返回整洁的姓名”""
full_name = first_name + ’ ’ + last_name
return full_name.title()
while True:
print("\nPlease tell me your name:")
print("(enter ‘q’ at any time to quit)")
f_name = input("First name: ")
if f_name == ‘q’:
break
l_name = input("Last name: ")
if l_name == ‘q’:
break
formatted_name = get_formatted_name(f_name, l_name)
print("\nHello, " + formatted_name + “!”)
8.4 传递列表
def greet_users(names):
“”“向列表中的每位用户都发出简单的问候”""
for name in names:
msg = "Hello, " + name.title() + “!”
print(msg)
usernames = [‘hannah’, ‘ty’, ‘margot’]
greet_users(usernames)
Hello, Hannah!
Hello, Ty!
Hello, Margot!
8.4.1 在函数中修改列表
8.4.2 禁止函数修改列表
向函数传递列表的副本而不是原件;这样函数所做的任何修改都只影响副本
切片表示法[:] 创建列表的副本。
function_name(list_name[:])
8.5 传递任意数量的实参
形参名*toppings 中的星号让Python创建一个名为toppings 的空元组,并将收到的所有值都封装到这个元组中
def make_pizza(*toppings):
“”“打印顾客点的所有配料”""
print(toppings)
make_pizza(‘pepperoni’)
make_pizza(‘mushrooms’, ‘green peppers’, ‘extra cheese’)
可用一个循环输出元组
def make_pizza(*toppings):
“”“概述要制作的比萨”""
print("\nMaking a pizza with the following toppings:")
for topping in toppings:
print("- " + topping)
make_pizza(‘pepperoni’)
make_pizza(‘mushrooms’, ‘green peppers’, ‘extra cheese’)
8.5.1 结合使用位置实参和任意数量实参
Python先匹配位置实参和关键字实参,再将余下的实参都收集到最后一个形参中。
def make_pizza(size, *toppings):
“”“概述要制作的比萨”""
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’)
8.5.2 使用任意数量的关键字实参
形参**user_info 中的两个星号让Python创建一个名为user_info 的
空字典,并将收到的所有名称—值对都封装到这个字典中。
def build_profile(first, last, **user_info):
8.6 将函数存储在模块中
可将函数存储在被称为模块的独立文件中,
再用 import 语句将模块导入到主程序中。
导入模块的方法有多种:
8.6.1 导入整个模块
要让函数是可导入的,得先创建模块。模块是扩展名为.py的文件,包含要导入到程序中的代码。
如文件pizza.py:
def make_pizza(size, *toppings):
“”“概述要制作的比萨”""
print("\nMaking a " + str(size) +
“-inch pizza with the following toppings:”)
for topping in toppings:
print("- " + topping)
接下来创建另一个名为making_pizzas.py的文件,这个文件导入刚创建的模块,再调用make_pizza() 两次
import pizza
pizza.make_pizza(16, ‘pepperoni’) #前面要加pizza.
pizza.make_pizza(12, ‘mushrooms’, ‘green peppers’, ‘extra cheese’)
8.6.2 导入特定的函数
通过用逗号分隔函数名,可根据需要从模块中导入任意数量的函数
from module_name import function_0, function_1, function_2
对于前面的making_pizzas.py示例:
from pizza import make_pizza
make_pizza(16, ‘pepperoni’) #调用函数时就无需使用 pizza.
make_pizza(12, ‘mushrooms’, ‘green peppers’, ‘extra cheese’)
8.6.3 使用as 给函数指定别名
使用as 给函数指定指定简短而独一无二的别名
from pizza import make_pizza as mp
mp(16, ‘pepperoni’)
mp(12, ‘mushrooms’, ‘green peppers’, ‘extra cheese’)
8.6.4 使用as 给模块指定别名
import pizza as p
p.make_pizza(16, ‘pepperoni’)
p.make_pizza(12, ‘mushrooms’, ‘green peppers’, ‘extra cheese’)
8.6.5 导入模块中的所有函数
from pizza import *
make_pizza(16, ‘pepperoni’) #而无需使用句点表示法
make_pizza(12, ‘mushrooms’, ‘green peppers’, ‘extra cheese’)
使用并非自己编写的大型模块时,最好不要采用这种导入方法
8.7 函数编写指南
编写函数时,需要牢记几个细节:
应给函数指定描述性名称,且只在其中使用小写字母和下划线。
描述性名称可帮助你和别人明白代码想要做什么。给模块命名时也应遵循上述约定。
每个函数都应包含简要地阐述其功能的注释,该注释应紧跟在函数定义后面,并采用文档字符串格式。
给形参指定默认值时,等号两边不要有空格:
def function_name(parameter_0, parameter_1=‘default value’)
函数调用中的关键字实参,也应遵循这种约定:
function_name(value_0, parameter_1=‘value’)