文章目录
- 定义自定义函数的基本语法
- 参数类型
- 示例代码
- 函数作用域
- 匿名函数(Lambda)
- 闭包
- 装饰器
Python中的自定义函数允许你编写一段可重用的代码块,这段代码可以带参数(输入),并可能返回一个值(输出)。自定义函数可以提高代码的可读性、重用性和组织性。下面是详细介绍和示例。
定义自定义函数的基本语法
def function_name(parameters):# 函数体# ...return value # 可选,函数可以没有返回值
function_name
:函数名,遵循Python的命名规则。parameters
:函数可以接受的参数列表,可以有零个或多个参数。return value
:函数返回的值,可以是任何数据类型,也可以省略,表示返回None
。
参数类型
- 位置参数:必须按顺序提供。
- 默认参数:可以提供默认值,调用时可以不传递。
- 关键字参数:允许指定参数名,提高函数调用的灵活性。
- 可变参数:可以接受任意数量的位置参数。
- 关键字可变参数:可以接受任意数量的关键字参数。
示例代码
- 示例1:基本自定义函数
def greet(name):return f"Hello, {name}!"print(greet("Alice")) # 输出: Hello, Alice!
- 示例2:带有默认参数的函数
def greet(name, message="Good morning"):return f"{message}, {name}!"print(greet("Bob")) # 输出: Good morning, Bob!
print(greet("Charlie", "Good evening")) # 输出: Good evening, Charlie!
- 示例3:带有可变参数的函数
def sum_numbers(*numbers):total = 0for num in numbers:total += numreturn totalprint(sum_numbers(1, 2, 3, 4)) # 输出: 10
- 示例4:带有关键字可变参数的函数
def print_info(**kwargs):for key, value in kwargs.items():print(f"{key}: {value}")print_info(name="Dave", age=30, job="Developer")
# 输出:
# name: Dave
# age: 30
# job: Developer
- 示例5:使用类型注解
Python 3.5+ 支持类型注解,可以提高代码的可读性和健壮性。
def greet(name: str, message: str = "Good morning") -> str:return f"{message}, {name}!"print(greet("Eve")) # 输出: Good morning, Eve!
函数作用域
在Python中,函数有自己的命名空间。这意味着在函数内部定义的变量不能在外部访问,除非它们被返回并赋值给外部变量。
def get_secret():secret = "I am a secret!"return secretmy_secret = get_secret()
print(my_secret) # 可以访问返回的值
# print(secret) # 会抛出错误,因为secret在函数外部不可访问
匿名函数(Lambda)
Python也支持匿名函数,使用lambda
关键字定义,通常用于简单的函数。
add = lambda x, y: x + y
print(add(5, 3)) # 输出: 8
闭包
闭包是指一个函数能够记住其外部环境的状态。这通常通过在函数内部定义另一个函数来实现。
def make_counter():count = 0def counter():nonlocal countcount += 1return countreturn countermy_counter = make_counter()
print(my_counter()) # 输出: 1
print(my_counter()) # 输出: 2
装饰器
装饰器是Python中的一个高级功能,它允许你在不修改函数本身的情况下增加函数的功能。
def my_decorator(func):def wrapper():print("Something is happening before the function is called.")func()print("Something is happening after the function is called.")return wrapper@my_decorator
def say_hello():print("Hello!")say_hello()
# 输出:
# Something is happening before the function is called.
# Hello!
# Something is happening after the function is called.
苍天不负有心人!