search
HomeBackend DevelopmentPython TutorialPython Decorators: A Comprehensive Guide

Python Decorators: A Comprehensive Guide

When I started programming with Python, if I am not mistaken, the version was 3.3. Therefore, when I started programming, decorators had been available to the Python community for a long time.

Function decorators came to Python with version 2.2 and Class decorators came to Python with version 2.6.

Personally, I see Python's Decorator feature as a very powerful feature of the language.

Actually, my aim is to make a series of articles about the most difficult to understand topics in Python. I plan to cover these topics, which are a little more than ten, one by one.

In this article, I will try to touch on every part of the Decorators topic as much as I can.

1. Historical Context

  • Early Days (Pre-Python 2.2): Before decorators, modifying functions or classes often involved manual wrapping or monkey-patching, which was cumbersome and less readable.
  • Metaclasses (Python 2.2): Metaclasses provided a way to control class creation, offering some of the functionality that decorators would later provide, but they were complex for simple modifications.
  • PEP 318 (Python 2.4): Decorators were formally introduced in Python 2.4 through PEP 318. The proposal was inspired by annotations in Java and aimed to provide a cleaner, more declarative way to modify functions and methods.
  • Class Decorators (Python 2.6): Python 2.6 extended decorator support to classes, further enhancing their versatility.
  • Widespread Adoption: Decorators quickly became a popular feature, used extensively in frameworks like Flask and Django for routing, authentication, and more.

2. What are Decorators?

In essence, a decorator is a design pattern in Python that allows you to modify the behavior of a function or a class without changing its core structure. Decorators are a form of metaprogramming, where you're essentially writing code that manipulates other code.

You know Python resolve names using the scope given in order below:

  1. Local
  2. Enclosing
  3. Global
  4. Built-in

Decorators are sit Enclosing scope, which is closely related to the Closure concept.

Key Idea: A decorator takes a function as input, adds some functionality to it, and returns a modified function.

Analogy: Think of a decorator as a gift wrapper. You have a gift (the original function), and you wrap it with decorative paper (the decorator) to make it look nicer or add extra features (like a bow or a card). The gift inside remains the same, but its presentation or associated actions are enhanced.

A) Decorator Variations: Function-based vs. Class-based

Most decorators in Python are implemented using functions, but you can also create decorators using classes.
Function-based decorators are more common and simpler, while class-based decorators offer additional flexibility.

Function-based Basic Decorator Syntax

def my_decorator(func):
    def wrapper(*args, **kwargs):
        # Do something before calling the decorated function
        print("Before function call")
        result = func(*args, **kwargs)
        # Do something after calling the decorated function
        print("After function call")
        return result
    return wrapper

@my_decorator
def say_hello(name):
    print(f"Hello, {name}!")

say_hello("World")

Explanation:

  • my_decorator is the decorator function. It takes the function func to be decorated as input.
  • wrapper is an inner function that wraps the original function's call. It can execute code before and after the original function.
  • @my_decorator is the decorator syntax. It's equivalent to say_hello = my_decorator(say_hello).

Class-based Basic Decorator Syntax

These use classes instead of functions to define decorators.

class MyDecorator:
    def __init__(self, func):
        self.func = func

    def __call__(self, *args, **kwargs):
        # Do something before calling the decorated function
        print("Before function call")
        result = self.func(*args, **kwargs)
        # Do something after calling the decorated function
        print("After function call")
        return result

@MyDecorator
def say_hello(name):
    print(f"Hello, {name}!")

say_hello("World")

Explanation:

  • MyDecorator is a class that acts as a decorator.
  • The __init__ method stores the function to be decorated.
  • The __call__ method makes the class instance callable, allowing it to be used like a function.

B) Implementing a Simple Decorator

The fundamental concept of decorators is that they are functions that take another function as an argument and extend its behavior without explicitly modifying it.
Here's the simplest form:

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

# Using the decorator with @ syntax
@my_decorator
def say_hello():
    print("Hello!")

# When we call say_hello()
say_hello()

# This is equivalent to:
# say_hello = my_decorator(say_hello)

C) Implementing a Decorator with Arguments

Let's create a decorator that logs the execution time of a function:

def decorator_with_args(func):
    def wrapper(*args, **kwargs):    # Accept any number of arguments
        print(f"Arguments received: {args}, {kwargs}")
        return func(*args, **kwargs)  # Pass arguments to the original function
    return wrapper

@decorator_with_args
def greet(name, greeting="Hello"):
    print(f"{greeting}, {name}!")

greet("Alice", greeting="Hi")  # Prints arguments then "Hi, Alice!"

D) Implementing a Parameterized Decorator

These are decorators that can accept their own parameters:

def repeat(times):
    def decorator(func):
        def wrapper(*args, **kwargs):
            for _ in range(times):
                result = func(*args, **kwargs)
            return result
        return wrapper
    return decorator

@repeat(times=3)
def greet(name):
    print(f"Hello {name}")
    return "Done"

greet("Bob")  # Prints "Hello Bob" three times

E) Implementing a Class Decorator

def singleton(cls):
    instances = {}
    def get_instance(*args, **kwargs):
        if cls not in instances:
            instances[cls] = cls(*args, **kwargs)
        return instances[cls]
    return get_instance

@singleton
class DatabaseConnection:
    def __init__(self):
        print("Initializing database connection")

# Creating multiple instances actually returns the same instance
db1 = DatabaseConnection()  # Prints initialization
db2 = DatabaseConnection()  # No initialization printed
print(db1 is db2)  # True

F) Implementing Method Decorators

These are specifically designed for class methods:

def debug_method(func):
    def wrapper(self, *args, **kwargs):
        print(f"Calling method {func.__name__} of {self.__class__.__name__}")
        return func(self, *args, **kwargs)
    return wrapper

class MyClass:
    @debug_method
    def my_method(self, x, y):
        return x + y

obj = MyClass()
print(obj.my_method(5, 3))

G) Implementing Decorator Chaining

Multiple decorators can be applied to a single function:

def bold(func):
    def wrapper():
        return "<b>" + func() + "</b>"
    return wrapper

def italic(func):
    def wrapper():
        return "<i>" + func() + "</i>"
    return wrapper

@bold
@italic
def greet():
    return "Hello!"

print(greet())  # Outputs: <b><i>Hello!</i></b>

Explanation:

  • Decorators are applied from bottom to top.
  • It is more like in what we do in math: f(g(x)).
  • italic is applied first, then bold.

H) What happens if we don't use @functools.wraps ?

The functools.wraps decorator, See docs, is a helper function that preserves the metadata of the original function (like its name, docstring, and signature) when you wrap it with a decorator. If you don't use it, you'll lose this important information.

Example:

def my_decorator(func):
    def wrapper(*args, **kwargs):
        """Wrapper docstring"""
        return func(*args, **kwargs)
    return wrapper

@my_decorator
def my_function():
    """My function docstring"""
    pass

print(my_function.__name__)
print(my_function.__doc__)

Output:

wrapper
Wrapper docstring

Problem:

  • The original function's name (my_function) and docstring ("My function docstring") are lost.
  • This can make debugging and introspection difficult.

Solution: Use functools.wraps):

def my_decorator(func):
    def wrapper(*args, **kwargs):
        # Do something before calling the decorated function
        print("Before function call")
        result = func(*args, **kwargs)
        # Do something after calling the decorated function
        print("After function call")
        return result
    return wrapper

@my_decorator
def say_hello(name):
    print(f"Hello, {name}!")

say_hello("World")

Output:

class MyDecorator:
    def __init__(self, func):
        self.func = func

    def __call__(self, *args, **kwargs):
        # Do something before calling the decorated function
        print("Before function call")
        result = self.func(*args, **kwargs)
        # Do something after calling the decorated function
        print("After function call")
        return result

@MyDecorator
def say_hello(name):
    print(f"Hello, {name}!")

say_hello("World")

Benefits of functools.wraps:

  • Preserves function metadata.
  • Improves code readability and maintainability.
  • Makes debugging easier.
  • Helps with introspection tools and documentation generators.

I) Decorators with State

Decorators can also maintain state between function calls. This is particularly useful for scenarios like caching or counting function calls.

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

# Using the decorator with @ syntax
@my_decorator
def say_hello():
    print("Hello!")

# When we call say_hello()
say_hello()

# This is equivalent to:
# say_hello = my_decorator(say_hello)

Output:

def decorator_with_args(func):
    def wrapper(*args, **kwargs):    # Accept any number of arguments
        print(f"Arguments received: {args}, {kwargs}")
        return func(*args, **kwargs)  # Pass arguments to the original function
    return wrapper

@decorator_with_args
def greet(name, greeting="Hello"):
    print(f"{greeting}, {name}!")

greet("Alice", greeting="Hi")  # Prints arguments then "Hi, Alice!"

Explanation:

The wrapper function maintains a counter (calls) that increments each time the decorated function is called.
This is a simple example of how decorators can be used to maintain state.

J) Best Practices for Python Decorators

  • Use functools.wraps: Always use @functools.wraps in your decorators to preserve the original function's metadata.
  • Keep Decorators Simple: Decorators should ideally do one specific thing and do it well. This makes them more reusable and easier to understand.
  • Document Your Decorators: Explain what your decorator does, what arguments it takes, and what it returns.
  • Test Your Decorators: Write unit tests to ensure your decorators work as expected in various scenarios.
  • Consider the Order of Chaining: Be mindful of the order when chaining multiple decorators, as it affects the execution flow.

K) Bad Implementations (Anti-Patterns)

  • Overly Complex Decorators: Avoid creating decorators that are too complex or try to do too many things. This makes them hard to understand, maintain, and debug.
  • Ignoring functools.wraps: Forgetting to use @functools.wraps leads to loss of function metadata, which can cause issues with introspection and debugging.
  • Side Effects: Decorators should ideally not have unintended side effects outside of modifying the decorated function.
  • Hardcoding Values: Avoid hardcoding values within decorators. Instead, use decorator factories to make them configurable.
  • Not Handling Arguments Properly: Ensure your wrapper function can handle any number of positional and keyword arguments using *args and **kwargs if the decorator is meant to be used with a variety of functions.

L) 10. Real-World Use Cases

  • Logging: Recording function calls, arguments, and return values for debugging or auditing.
  • Timing: Measuring the execution time of functions for performance analysis.
  • Caching: Storing the results of expensive function calls to avoid redundant computations (memoization).
  • Authentication and Authorization: Verifying user credentials or permissions before executing a function.
  • Input Validation: Checking if the arguments passed to a function meet certain criteria.
  • Rate Limiting: Controlling the number of times a function can be called within a specific time period.
  • Retry Logic: Automatically retrying a function call if it fails due to a temporary error.
  • Framework-Specific Tasks: Frameworks like Flask and Django use decorators for routing (mapping URLs to functions), registering plugins, and more.

M) Curated Lists of Python Decorators

You can find a curated lists of Python decorators below:

  • Awesome Python Decorators
  • Python Decorator Library

N) 11. Conclusion

Decorators are a powerful and elegant feature in Python that allows you to enhance functions and classes in a clean and declarative way.
By understanding the principles, best practices, and potential pitfalls, you can effectively leverage decorators to write more modular, maintainable, and expressive code.
They are a valuable tool in any Python programmer's arsenal, especially when working with frameworks or building reusable components.

The above is the detailed content of Python Decorators: A Comprehensive Guide. For more information, please follow other related articles on the PHP Chinese website!

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
How to Use Python to Find the Zipf Distribution of a Text FileHow to Use Python to Find the Zipf Distribution of a Text FileMar 05, 2025 am 09:58 AM

This tutorial demonstrates how to use Python to process the statistical concept of Zipf's law and demonstrates the efficiency of Python's reading and sorting large text files when processing the law. You may be wondering what the term Zipf distribution means. To understand this term, we first need to define Zipf's law. Don't worry, I'll try to simplify the instructions. Zipf's Law Zipf's law simply means: in a large natural language corpus, the most frequently occurring words appear about twice as frequently as the second frequent words, three times as the third frequent words, four times as the fourth frequent words, and so on. Let's look at an example. If you look at the Brown corpus in American English, you will notice that the most frequent word is "th

How Do I Use Beautiful Soup to Parse HTML?How Do I Use Beautiful Soup to Parse HTML?Mar 10, 2025 pm 06:54 PM

This article explains how to use Beautiful Soup, a Python library, to parse HTML. It details common methods like find(), find_all(), select(), and get_text() for data extraction, handling of diverse HTML structures and errors, and alternatives (Sel

Image Filtering in PythonImage Filtering in PythonMar 03, 2025 am 09:44 AM

Dealing with noisy images is a common problem, especially with mobile phone or low-resolution camera photos. This tutorial explores image filtering techniques in Python using OpenCV to tackle this issue. Image Filtering: A Powerful Tool Image filter

Introduction to Parallel and Concurrent Programming in PythonIntroduction to Parallel and Concurrent Programming in PythonMar 03, 2025 am 10:32 AM

Python, a favorite for data science and processing, offers a rich ecosystem for high-performance computing. However, parallel programming in Python presents unique challenges. This tutorial explores these challenges, focusing on the Global Interprete

How to Perform Deep Learning with TensorFlow or PyTorch?How to Perform Deep Learning with TensorFlow or PyTorch?Mar 10, 2025 pm 06:52 PM

This article compares TensorFlow and PyTorch for deep learning. It details the steps involved: data preparation, model building, training, evaluation, and deployment. Key differences between the frameworks, particularly regarding computational grap

How to Implement Your Own Data Structure in PythonHow to Implement Your Own Data Structure in PythonMar 03, 2025 am 09:28 AM

This tutorial demonstrates creating a custom pipeline data structure in Python 3, leveraging classes and operator overloading for enhanced functionality. The pipeline's flexibility lies in its ability to apply a series of functions to a data set, ge

Serialization and Deserialization of Python Objects: Part 1Serialization and Deserialization of Python Objects: Part 1Mar 08, 2025 am 09:39 AM

Serialization and deserialization of Python objects are key aspects of any non-trivial program. If you save something to a Python file, you do object serialization and deserialization if you read the configuration file, or if you respond to an HTTP request. In a sense, serialization and deserialization are the most boring things in the world. Who cares about all these formats and protocols? You want to persist or stream some Python objects and retrieve them in full at a later time. This is a great way to see the world on a conceptual level. However, on a practical level, the serialization scheme, format or protocol you choose may determine the speed, security, freedom of maintenance status, and other aspects of the program

Mathematical Modules in Python: StatisticsMathematical Modules in Python: StatisticsMar 09, 2025 am 11:40 AM

Python's statistics module provides powerful data statistical analysis capabilities to help us quickly understand the overall characteristics of data, such as biostatistics and business analysis. Instead of looking at data points one by one, just look at statistics such as mean or variance to discover trends and features in the original data that may be ignored, and compare large datasets more easily and effectively. This tutorial will explain how to calculate the mean and measure the degree of dispersion of the dataset. Unless otherwise stated, all functions in this module support the calculation of the mean() function instead of simply summing the average. Floating point numbers can also be used. import random import statistics from fracti

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
Repo: How To Revive Teammates
1 months agoBy尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
4 weeks agoBy尊渡假赌尊渡假赌尊渡假赌

Hot Tools

WebStorm Mac version

WebStorm Mac version

Useful JavaScript development tools

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

DVWA

DVWA

Damn Vulnerable Web App (DVWA) is a PHP/MySQL web application that is very vulnerable. Its main goals are to be an aid for security professionals to test their skills and tools in a legal environment, to help web developers better understand the process of securing web applications, and to help teachers/students teach/learn in a classroom environment Web application security. The goal of DVWA is to practice some of the most common web vulnerabilities through a simple and straightforward interface, with varying degrees of difficulty. Please note that this software

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment