Python装饰器的基本介绍

1、装饰器基础介绍

在Python编程领域,装饰器是一种强大的功能,它允许用户在不修改原有函数定义的情况下,给函数添加额外的功能。这章将带你深入了解装饰器的精髓 ,从基本概念到进阶技巧,让你的代码更加灵活高效。

2、什么是装饰器

装饰器本质上是一个接受函数作为参数的函数,它返回一个新的函数,这个新函数通常会在执行原始函数之前或之后执行一些额外的操作。简而言之,装饰器为函数提供了“包裹”功能,扩展了其行为而无需修改源代码。

示例代码:

#创建装饰器
def simple_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

#使用装饰器
@simple_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.

3、装饰器的语法糖 @

Python中的@符号是装饰器的语法糖 ,它使得应用装饰器变得简洁直观。

上面的@simple_decorator就相当于say_hello = simple_decorator(say_hello),但更加易读且减少了代码量。

4、不改变原函数名的装饰器

在使用装饰器时 ,原始函数的名称可能被覆盖,为了保留原函数的元信息(如名称、文档字符串等) ,可以利用functools.wraps装饰器来增强自定义装饰器。

改进的装饰器示例:

#创建装饰器
from functools import wraps

    def better_decorator(func):

        @wraps(func)

        def wrapper(*args, **kwargs):

            print("Wrapper is doing something before calling the function.")

            result = func(*args, **kwargs)

            print("Wrapper is doing something after calling the function.")

            return result

    return wrapper

#使用装饰器
@better_decorator

def greet(name):

    """Prints a greeting."""

    print(f"Hello, {name}!")

    print(greet.__name__)

    print(greet.__doc__)

#调用有装饰器的函数
greet("Alice")

输出结果:

greet

Prints a greeting.

Wrapper is doing something before calling the function.

Hello, Alice!

Wrapper is doing something after calling the function.

这样,即使经过装饰,greet函数的名称和文档字符串也得以保留,提高了代码的可读性和维护性。


MXROC
科技改变生活

推广

 继续浏览关于 的文章

 本文最后更新于 2024/06/25 00:05:38,可能因经年累月而与现状有所差异

 本文链接: MXROC > Python > Python装饰器的基本介绍