在编程的世界里,Python 的装饰器就像一位隐形的助手,它能优雅地增强函数或方法的功能,而无需修改原有代码结构。装饰器本质上是一个返回函数的高阶函数,常用于日志记录、访问控制等场景。
首先,装饰器的基本语法是通过 `@decorator_name` 添加到函数定义前。例如:
```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 World!")
say_hello()
```
其次,参数化装饰器也是常见需求。当需要传递参数时,可以嵌套一层函数实现灵活配置。比如添加计时功能:
```python
import time
def timer_decorator(func):
def wrapper(args, kwargs):
start_time = time.time()
result = func(args, kwargs)
end_time = time.time()
print(f"Function {func.__name__} took {end_time - start_time:.4f}s to execute")
return result
return wrapper
```
装饰器不仅让代码更简洁,还提升了可读性和复用性,是 Python 高级技巧中的瑰宝!✨