python-course.eu

6. Decorators and Decoration

By Bernd Klein. Last modified: 23 Jun 2023.

Introduction

decorators

Decorators belong most probably to the most beautiful and most powerful design possibilities in Python, but at the same time the concept is considered by many as complicated to get into. To be precise, the usage of decorators is very easy, but writing decorators can be complicated, especially if you are not experienced with decorators and some functional programming concepts.

Even though it is the same underlying concept, we have two different kinds of decorators in Python:

A decorator in Python is any callable Python object that is used to modify a function or a class. A reference to a function "func" or a class "C" is passed to a decorator and the decorator returns a modified function or class. The modified functions or classes usually contain calls to the original function "func" or class "C".

You may also consult our chapter on memoization with decorators.

If you like the image on the right side of this page and if you are also interested in image processing with Python, Numpy, Scipy and Matplotlib, you will definitely like our chapter on Image Processing Techniques, it explains the whole process of the making-of of our decorator and at sign picture!

Live Python training

instructor-led training course

Enjoying this page? We offer live Python training courses covering the content of this site.

See our Python training courses

See our Machine Learning with Python training courses

First Steps to Decorators

We know from our various Python training classes that there are some points in the definitions of decorators, where many beginners get stuck.

Therefore, we will introduce decorators by repeating some important aspects of functions. First you have to know or remember that function names are references to functions and that we can assign multiple names to the same function:

def succ(x):
    return x + 1
successor = succ
successor(10)

OUTPUT:

11
succ(10)

OUTPUT:

11

This means that we have two names, i.e. "succ" and "successor" for the same function. The next important fact is that we can delete either "succ" or "successor" without deleting the function itself.

del succ
successor(10)

OUTPUT:

11

Functions inside Functions

The concept of having or defining functions inside of a function is completely new to C or C++ programmers:

def f():
    
    def g():
        print("Hi, it's me 'g'")
        print("Thanks for calling me")
        
    print("This is the function 'f'")
    print("I am calling 'g' now:")
    g()

    
f()

OUTPUT:

This is the function 'f'
I am calling 'g' now:
Hi, it's me 'g'
Thanks for calling me

Another example using "proper" return statements in the functions:

def temperature(t):
    def celsius2fahrenheit(x):
        return 9 * x / 5 + 32

    result = "It's " + str(celsius2fahrenheit(t)) + " degrees!" 
    return result

print(temperature(20))

OUTPUT:

It's 68.0 degrees!

The following example is about the factorial function, which we previously defined as follows:

def factorial(n):
    """ calculates the factorial of n, 
        n should be an integer and n <= 0 """
    if n == 0:
        return 1
    else:
        return n * factorial(n-1)

What happens if someone passes a negative value or a float number to this function? It will never end. You might get the idea to check that as follows:

def factorial(n):
    """ calculates the factorial of n, 
        n should be an integer and n <= 0 """
    if type(n) == int and n >=0:
        if n == 0:
            return 1
        else:
            return n * factorial(n-1)

    else:
        raise TypeError("n has to be a positive integer or zero")

If you call this function with 4 for example, i.e. factorial (4), the first thing that is checked is whether it is a positive integer. In principle, this makes sense. The "problem" now appears in the recursion step. Now factorial (3) is called. This call and all others also check whether it is a positive whole number. But this is unnecessary: If you subtract the value 1 from a positive whole number, you get a positive whole number or 0 again. So both well-defined argument values for our function.

With a nested function (local function) one can solve this problem elegantly:

def factorial(n):
    """ calculates the factorial of n, 
        n should be an integer and n <= 0 """
    def inner_factorial(n):
        if n == 0:
            return 1
        else:
            return n * inner_factorial(n-1)
    if type(n) == int and n >=0:
        return inner_factorial(n)
    else:
        raise TypeError("n should be a positve int or 0")

We can extend the domain of possible input values for our function factorial by allowing float numbers which are euqivalent to integers, i.e. satisfying the condition int(x) == x. If we know that a variable x references a float value, we can also use the test x.is_integer().

The following implementation of factorial follows a more detailed case analysis of the argument like discussed before:

def factorial(n):
    """ calculates the factorial of n, if n is either a non negative
    integer or a float number x being equivalent to an integer, like
    4.0, 12.0, 8. i.e. no decimals following the decimal point """
    def inner_factorial(n):
        if n == 0:
            return 1
        else:
            return n * inner_factorial(n-1)
    if not isinstance(n, (int, float)):
        raise ValueError("Value is neither an integer nor a float equivalent to int")
    if isinstance(n, (int))  and n < 0:
        raise ValueError('Should be a positive integer or 0')
    elif isinstance(n, (float)) and not n.is_integer():
        raise ValueError('value is a float but not equivalent to an int')
    else:
        return inner_factorial(n)

Let us test the previous function:

values = [0, 1, 5, 7.0, -4, 7.3, "7"]
for value in values:
    try: 
        print(value, end=", ")
        print(factorial(value))
    except ValueError as e:
        print(e)

OUTPUT:

0, 1
1, 1
5, 120
7.0, 5040.0
-4, Should be a positive integer or 0
7.3, value is a float but not equivalent to an int
7, Value is neither an integer nor a float equivalent to int

Functions as Parameters

If you solely look at the previous examples, this doesn't seem to be very useful. It gets useful in combination with two further powerful possibilities of Python functions. Due to the fact that every parameter of a function is a reference to an object and functions are objects as well, we can pass functions - or better "references to functions" - as parameters to a function. We will demonstrate this in the next simple example:

def g():
    print("Hi, it's me 'g'")
    print("Thanks for calling me")
    
def f(func):
    print("Hi, it's me 'f'")
    print("I will call 'func' now")
    func()
          
f(g)

OUTPUT:

Hi, it's me 'f'
I will call 'func' now
Hi, it's me 'g'
Thanks for calling me

You may not be satisfied with the output. 'f' should write that it calls 'g' and not 'func'. Of course, we need to know what the 'real' name of func is. For this purpose, we can use the attribute __name__, as it contains this name:

def g():
    print("Hi, it's me 'g'")
    print("Thanks for calling me")
    
def f(func):
    print("Hi, it's me 'f'")
    print("I will call 'func' now")
    func()
    print("func's real name is " + func.__name__) 

          
f(g)

OUTPUT:

Hi, it's me 'f'
I will call 'func' now
Hi, it's me 'g'
Thanks for calling me
func's real name is g

The output explains what's going on once more. Another example:

import math

def foo(func):
    print("The function " + func.__name__ + " was passed to foo")
    res = 0
    for x in [1, 2, 2.5]:
        res += func(x)
    return res

print(foo(math.sin))
print(foo(math.cos))

OUTPUT:

The function sin was passed to foo
2.3492405557375347
The function cos was passed to foo
-0.6769881462259364

Functions returning Functions

The output of a function is also a reference to an object. Therefore functions can return references to function objects.

def f(x):
    def g(y):
        return y + x + 3 
    return g

nf1 = f(1)
nf2 = f(3)

print(nf1(1))
print(nf2(1))

OUTPUT:

5
7

The previous example looks very artificial and absolutely useless. We will present now another language oriented example, which shows a more practical touch. Okay, still not a function which is useful the way it is. We write a function with the nearly self-explanatory name greeting_func_gen. So this function returns (or generates) functions which can be used to create people in different languages, i.e. German, French, Italian, Turkish, and Greek:

def greeting_func_gen(lang):
    def customized_greeting(name):
        if lang == "de":   # German
            phrase = "Guten Morgen "
        elif lang == "fr": # French
            phrase = "Bonjour "
        elif lang == "it": # Italian
            phrase = "Buongiorno "
        elif lang == "tr": # Turkish
            phrase = "Günaydın "
        elif lang == "gr": # Greek
            phrase = "Καλημερα "
        else:
            phrase = "Hi "
        return phrase + name + "!"
    return customized_greeting


say_hi = greeting_func_gen("tr")
print(say_hi("Gülay"))    # this Turkish name means "rose moon" by the way

OUTPUT:

Günaydın Gülay!

A more Usefull Example

It is getting more useful and at the same time more mathematically oriented in the following example. Let's aussume we have to define many polynomials of degree 2. It may look like this:

def p1(x):
    return 2*x**2 - 3*x + 0.5

def p2(x):
    return 2.3*x**2 + 2.9*x - 20

def p3(x):
    return -2.3*x**2 + 4.9*x - 9

This can be simplified by implementing a polynomial "factory" function now. We will start with writing a version which can create polynomials of degree 2.

$$p(x) = ax^2 + bx + c$$

The Python implementation as a polynomial factory function can be written like this:

def polynomial_creator(a, b, c):
    def polynomial(x):
        return a * x**2 + b * x + c
    return polynomial
    
p1 = polynomial_creator(2, -3, 0.5)
p2 = polynomial_creator(2.3, 2.9, -20)
p3 = polynomial_creator(-2.3, 4.9, -9)

for x in range(-2, 2, 1):
    print(x, p1(x), p2(x))

OUTPUT:

-2 14.5 -16.6
-1 5.5 -20.6
0 0.5 -20.0
1 -0.5 -14.8

We can generalize our factory function so that it can work for polynomials of arbitrary degree:

$$\sum_{k=0}^{n} a_{k} \cdot x^{k} = a_{n} \cdot x^{n} + a_{n-1} \cdot x^{n-1} + ... + a_{2} \cdot x^{2} + a_{1} \cdot x + a_{0} $$
def polynomial_creator(*coefficients):
    """ coefficients are in the form a_n, ... a_1, a_0 
    """
    def polynomial(x):
        res = 0
        for index, coeff in enumerate(coefficients[::-1]):
            res += coeff * x** index
        return res
    return polynomial
  
p1 = polynomial_creator(4)
p2 = polynomial_creator(2, 4)
p3 = polynomial_creator(1, 8, -1, 0, 3, 2)
p4 = polynomial_creator(-1, 2, 1)
p5 = polynomial_creator(4, 5, 7, 7, 9, 12, 3, 43, 9)


for x in range(-2, 2, 1):
    print(x, p1(x), p2(x), p3(x), p4(x), p5(x))

OUTPUT:

-2 4 0 100 -7 591
-1 4 2 7 -2 -35
0 4 4 2 1 9
1 4 6 13 2 99

The function p3 implements, for example, the following polynomial:

$$p_3(x) = x^{5} + 8 \cdot x^{4} - x^{3} + 3 \cdot x + 2 $$

The polynomial function inside of our decorator polynomial_creator` can be implemented more efficiently. We can factorize it in a way so that it doesn't need any exponentiation.

Factorized version of a general polynomial without exponentiation:

$$res = (...(a_{n} \cdot x + a_{n-1}) \cdot x + ... + a_{1}) \cdot x + a_{0}$$

Implementation of our polynomial creator decorator avoiding exponentiation:

def polynomial_creator(*coeffs):
    """ coefficients are in the form a_n, a_n_1, ... a_1, a_0 
    """
    def polynomial(x):
        res = coeffs[0]
        for i in range(1, len(coeffs)):
            res = res * x + coeffs[i]
        return res
                 
    return polynomial

p1 = polynomial_creator(4)
p2 = polynomial_creator(2, 4)
p3 = polynomial_creator(1, 8, -1, 0, 3, 2)
p4 = polynomial_creator(-1, 2, 1)
p5 = polynomial_creator(4, 5, 7, 7, 9, 12, 3, 43, 9)


for x in range(-2, 2, 1):
    print(x, p1(x), p2(x), p3(x), p4(x), p5(x))

OUTPUT:

-2 4 0 100 -7 591
-1 4 2 7 -2 -35
0 4 4 2 1 9
1 4 6 13 2 99

If you want to learn more about polynomials and how to create a polynomial class, you can continue with our chapter on Polynomials.

Live Python training

instructor-led training course

Enjoying this page? We offer live Python training courses covering the content of this site.

Upcoming online Courses

Python Intensive Course

01 Dec to 05 Dec 2025

Efficient Data Analysis with Pandas

01 Dec to 02 Dec 2025

Python and Machine Learning Course

01 Dec to 05 Dec 2025

See our Python training courses

See our Machine Learning with Python training courses

A Simple Decorator

Now we have everything ready to define our first simple decorator:

def our_decorator(func):
    def function_wrapper(x):
        print("Before calling " + func.__name__)
        func(x)
        print("After calling " + func.__name__)
    return function_wrapper

def foo(x):
    print("Hi, foo has been called with " + str(x))

print("We call foo before decoration:")
foo("Hi")
    
print("We now decorate foo with f:")
foo = our_decorator(foo)

print("We call foo after decoration:")
foo(42)

OUTPUT:

We call foo before decoration:
Hi, foo has been called with Hi
We now decorate foo with f:
We call foo after decoration:
Before calling foo
Hi, foo has been called with 42
After calling foo

If you look at the output of the previous program, you can see what's going on. After the decoration "foo = our_decorator(foo)", foo is a reference to the 'function_wrapper'. 'foo' will be called inside of 'function_wrapper', but before and after the call some additional code will be executed, i.e. in our case two print functions.

The Usual Syntax for Decorators in Python

The decoration in Python is usually not performed in the way we did it in our previous example, even though the notation foo = our_decorator(foo) is catchy and easy to grasp. This is the reason, why we used it! You can also see a design problem in our previous approach. "foo" existed in the same program in two versions, before decoration and after decoration.

We will do a proper decoration now. The decoration occurrs in the line before the function header. The "@" is followed by the decorator function name.

We will rewrite now our initial example. Instead of writing the statement

 foo = our_decorator(foo)

we can write

 @our_decorator 
But this line has to be directly positioned in front of the decorated function. The complete example looks like this now:

def our_decorator(func):
    def function_wrapper(x):
        print("Before calling " + func.__name__)
        func(x)
        print("After calling " + func.__name__)
    return function_wrapper

@our_decorator
def foo(x):
    print("Hi, foo has been called with " + str(x))

foo("Hi")

OUTPUT:

Before calling foo
Hi, foo has been called with Hi
After calling foo

We can decorate every other function which takes one parameter with our decorator 'our_decorator'. We demonstrate this in the following. We have slightly changed our function wrapper, so that we can see the result of the function calls:

def our_decorator(func):
    def function_wrapper(x):
        print("Before calling " + func.__name__)
        res = func(x)
        print(res)
        print("After calling " + func.__name__)
    return function_wrapper

@our_decorator
def succ(n):
    return n + 1

succ(10)

OUTPUT:

Before calling succ
11
After calling succ

It is also possible to decorate third party functions, e.g. functions we import from a module. We can't use the Python syntax with the "at" sign in this case:

from math import sin, cos

def our_decorator(func):
    def function_wrapper(x):
        print("Before calling " + func.__name__)
        res = func(x)
        print(res)
        print("After calling " + func.__name__)
    return function_wrapper

sin = our_decorator(sin)
cos = our_decorator(cos)

for f in [sin, cos]:
    f(3.1415)

OUTPUT:

Before calling sin
9.265358966049026e-05
After calling sin
Before calling cos
-0.9999999957076562
After calling cos

Live Python training

instructor-led training course

Enjoying this page? We offer live Python training courses covering the content of this site.

See our Python training courses

See our Machine Learning with Python training courses

Extending the Trigonometric Functions of math

In our next example of using decorators, we show that we can use decorators to extend the possibilities of functions. In our case we add an additional parameter. Let us create a more useful decorator for the trigonometric functions of the module math. If you look at the help of sin, cos or the other trigonometric funcitons of the math module, you will see that the arguments have to be radians values (rad). What if you like to use degree measures? In this case you would have to transform the degree measures to radians values.

from math import sin, cos, pi
help(sin)

OUTPUT:

Help on built-in function sin in module math:

sin(x, /)
    Return the sine of x (measured in radians).
angle = 45   # degrees
x = angle * pi / 180   # degrees into radians
x

OUTPUT:

0.7853981633974483

Now, we can apply the value to sin or other trigonometric functions:

sin(x)

OUTPUT:

0.7071067811865475
We could also extend the trigonometric functions with a decorator, which turns degrees automatically into radians values. We add another parameter to the helper function.
from math import sin, cos, pi
def angle_deco(func):
    
    def helper(x, mode="radians"):
        if mode == "degrees":
            x = x * pi / 180
        return func(x)
    
    return helper

sin = angle_deco(sin)
cos = angle_deco(cos)

Now we have what we wanted: We can call the functions sin and cos with radians as well as with degrees:

degrees = [40, 45, 70, 90]
for degree in degrees:
    print(sin(degree, mode='degrees'), cos(degree, mode='degrees'))

OUTPUT:

0.6427876096865393 0.766044443118978
0.7071067811865475 0.7071067811865476
0.9396926207859083 0.3420201433256688
1.0 6.123233995736766e-17

General Decorator

All in all, we can say that a decorator in Python is a callable Python object that is used to modify a function, method or class definition. The original object to be modified is passed to a decorator as an argument. The decorator returns a modified object, such as a modified function bound to the name used in the definition.

The previous function_wrapper (or helper) only works for functions with exactly one parameter. We provide a generalised version of the function_wrapper that accepts functions with any parameters in the following example:

from random import random, randint, choice

def our_decorator(func):
    def function_wrapper(*args, **kwargs):
        print("Before calling " + func.__name__)
        res = func(*args, **kwargs)
        print(res)
        print("After calling " + func.__name__)
    return function_wrapper

random = our_decorator(random)
randint = our_decorator(randint)
choice = our_decorator(choice)

random()
randint(3, 8)
choice([4, 5, 6])

OUTPUT:

Before calling random
0.3831268022133958
After calling random
Before calling randint
5
After calling randint
Before calling choice
6
After calling choice

Live Python training

instructor-led training course

Enjoying this page? We offer live Python training courses covering the content of this site.

See our Python training courses

See our Machine Learning with Python training courses

Using Multiple Decorators

It is possible to decorate functions with more than one decorator.

def deco1(func): 
    print('deco1 has been called')
    def helper(x):
        print('helper of deco1 has been called!')
        print(x)
        return func(x) + 3
    return helper
    
def deco2(func):  
    print('deco2 has been called')
    def helper(x):
        print('helper of deco2 has been called!')
        print(x)
        return func(x) + 2
    return helper
    
def deco3(func):  
    print('deco3 has been called')
    def helper(x):
        print('helper of deco3 has been called!')
        print(x)
        return func(x) + 1
    return helper
    
@deco3
@deco2
@deco1
def foobar(x):
    return 42

OUTPUT:

deco1 has been called
deco2 has been called
deco3 has been called

The output shows us that the function foobar is first decorated with deco1, i.e. the decorator directly on top of the function definition. After this it is decorated with deco2 and than deco3.

When we call the multiple times decorated function, it works the other way around:

foobar(42)

OUTPUT:

helper of deco3 has been called!
42
helper of deco2 has been called!
42
helper of deco1 has been called!
42
48

Usecases for Decorators

Checking Arguments with a Decorator

So far, we have defined many functions that require an argument and we have not checked whether the type of the argument is correct. The main reason for this was that we wanted to focus on the basic ideas of functions like fibonacci and factorial. We presented a solution for the factorial function with a nested auxiliary function at the beginning of this chapter.

We will now show how we can write a decorator to check whether a single argument is a positive integer. In our course on recursive functions, we introduced the factorial function. We wanted to keep the function as simple as possible and not obscure the underlying idea, so we didn't include argument checks. So if someone called our function with a negative argument or with a float argument, our functions would enter an infinite loop.

The following program uses a deco function to ensure that the argument passed to the factorial function is a positive integer:

def argument_test_natural_number(f):
    def helper(x):
        if type(x) == int and x > 0:
            return f(x)
        else:
            raise ValueError("Argument is not an integer")
    return helper

@argument_test_natural_number
def is_prime(n):
    return all(n % i for i in range(2, n))

for i in range(1,10):
    print(i, is_prime(i))

try:
    print(is_prime(-1))
except ValueError:
    print("Argument is not a positve integer!")

OUTPUT:

1 True
2 True
3 True
4 False
5 True
6 False
7 True
8 False
9 False
Argument is not a positve integer!

This program demonstrates again how function decorators can be used to add additional functionality or validation checks to existing functions without modifying their original code. In this case, the decorator ensures that the argument passed to the is_prime function is a positive integer.

Counting Function Calls with Decorators

The following example uses a decorator to count the number of times a function has been called. To be precise, we can use this decorator solely for functions with exactly one parameter:

def call_counter(func):
    def helper(x):
        helper.calls += 1
        return func(x)
    helper.calls = 0

    return helper

@call_counter
def succ(x):
    return x + 1

print(succ.calls)
for i in range(10):
    succ(i)
    
print(succ.calls)

OUTPUT:

0
10

We pointed out that we can use our previous decorator only for functions, which take exactly one parameter. We will use the *args and **kwargs notation to write decorators which can cope with functions with an arbitrary number of positional and keyword parameters.

def call_counter(func):
    def helper(*args, **kwargs):
        helper.calls += 1
        return func(*args, **kwargs)
    helper.calls = 0

    return helper

@call_counter
def succ(x):
    return x + 1

@call_counter
def mul1(x, y=1):
    return x*y + 1

print(succ.calls)
for i in range(10):
    succ(i)
mul1(3, 4)
mul1(4)
mul1(y=3, x=2)
    
print(succ.calls)
print(mul1.calls)

OUTPUT:

0
10
3

Live Python training

instructor-led training course

Enjoying this page? We offer live Python training courses covering the content of this site.

See our Python training courses

See our Machine Learning with Python training courses

Decorators with Parameters

We define two decorators in the following code:

def evening_greeting(func):
    def function_wrapper(x):
        print("Good evening, " + func.__name__ + " returns:")
        return func(x)
    return function_wrapper

def morning_greeting(func):
    def function_wrapper(x):
        print("Good morning, " + func.__name__ + " returns:")
        return func(x)
    return function_wrapper

@evening_greeting
def foo(x):
    print(42)

foo("Hi")

OUTPUT:

Good evening, foo returns:
42

These two decorators are nearly the same, except for the greeting. We want to add a parameter to the decorator to be capable of customizing the greeting, when we do the decoration. We have to wrap another function around our previous decorator function to accomplish this. We can now easily say "Good Morning" in Greek:

def greeting(expr):
    def greeting_decorator(func):
        def function_wrapper(x):
            print(expr + ", " + func.__name__ + " returns:")
            func(x)
        return function_wrapper
    return greeting_decorator

@greeting("καλημερα")
def foo(x):
    print(42)

foo("Hi")

OUTPUT:

καλημερα, foo returns:
42

If we don't want or cannot use the "at" decorator syntax, we can do it with function calls:

def greeting(expr):
    def greeting_decorator(func):
        def function_wrapper(x):
            print(expr + ", " + func.__name__ + " returns:")
            return func(x)
        return function_wrapper
    return greeting_decorator


def foo(x):
    print(42)

greeting2 = greeting("καλημερα")
foo = greeting2(foo)
foo("Hi")

OUTPUT:

καλημερα, foo returns:
42

Of course, we don't need the additional definition of "greeting2". We can directly apply the result of the call "greeting("καλημερα")" on "foo":

 foo = greeting("καλημερα")(foo)

Using wraps from functools

The way we have defined decorators so far hasn't taken into account that the attributes

of the original functions will be lost after the decoration.

def greeting(func):
    def function_wrapper(x):
        """ function_wrapper of greeting """
        print("Hi, " + func.__name__ + " returns:")
        return func(x)
    return function_wrapper 

We call it in the following program:

@greeting
def f(x):
    """ just some silly function """
    return x + 4

f(10)
print("function name: " + f.__name__)
print("docstring: " + f.__doc__)
print("module name: " + f.__module__) 

OUTPUT:

Hi, f returns:
function name: function_wrapper
docstring:  function_wrapper of greeting 
module name: __main__

The results we get are "unwanted".

We can save the original attributes of the function f, if we assign them inside of the decorator. We change our previous decorator accordingly:

def greeting(func):
    def function_wrapper(x):
        """ function_wrapper of greeting """
        print("Hi, " + func.__name__ + " returns:")
        return func(x)
    function_wrapper.__name__ = func.__name__
    function_wrapper.__doc__ = func.__doc__
    function_wrapper.__module__ = func.__module__
    return function_wrapper
@greeting
def f(x):
    """ just some silly function """
    return x + 4

f(10)
print("function name: " + f.__name__)
print("docstring: " + f.__doc__)
print("module name: " + f.__module__) 

OUTPUT:

Hi, f returns:
function name: f
docstring:  just some silly function 
module name: __main__

Fortunately, we don't have to add all this code to our decorators to have these results. We can import the decorator "wraps" from functools instead and decorate our function in the decorator with it:

from functools import wraps

def greeting(func):
    @wraps(func)
    def function_wrapper(x):
        """ function_wrapper of greeting """
        print("Hi, " + func.__name__ + " returns:")
        return func(x)
    return function_wrapper
@greeting
def f(x):
    """ just some silly function """
    return x + 4

f(10)
print("function name: " + f.__name__)
print("docstring: " + f.__doc__)
print("module name: " + f.__module__) 

OUTPUT:

Hi, f returns:
function name: f
docstring:  just some silly function 
module name: __main__

Live Python training

instructor-led training course

Enjoying this page? We offer live Python training courses covering the content of this site.

See our Python training courses

See our Machine Learning with Python training courses

Classes instead of Functions

The call method

So far we used functions as decorators. Before we can define a decorator as a class, we have to introduce the __call__ method of classes. We mentioned already that a decorator is simply a callable object that takes a function as an input parameter. A function is a callable object, but lots of Python programmers don't know that there are other callable objects. A callable object is an object which can be used and behaves like a function but might not be a function. It is possible to define classes in a way that the instances will be callable objects. The __call__ method is called, if the instance is called "like a function", i.e. using brackets.

class A:
    def __init__(self):
        print("An instance of A was initialized")
    
    def __call__(self, *args, **kwargs):
        print("Arguments are:", args, kwargs)
              
x = A()
print("now calling the instance:")
x(3, 4, x=11, y=10)
print("Let's call it again:")
x(3, 4, x=11, y=10)

OUTPUT:

An instance of A was initialized
now calling the instance:
Arguments are: (3, 4) {'x': 11, 'y': 10}
Let's call it again:
Arguments are: (3, 4) {'x': 11, 'y': 10}

We can write a class for the fibonacci function by using the __call__ method:

class Fibonacci:

    def __init__(self):
        self.cache = {}

    def __call__(self, n):
        if n not in self.cache:
            if n == 0:
                self.cache[0] = 0
            elif n == 1:
                self.cache[1] = 1
            else:
                self.cache[n] = self.__call__(n-1) + self.__call__(n-2)
        return self.cache[n]

fib = Fibonacci()

for i in range(15):
    print(fib(i), end=", ")

OUTPUT:

0, 1, 1, 2, 3, 5, 8, 13, 21, 34, 55, 89, 144, 233, 377, 

You can find further information on the __call__ method in the chapter Magic Functions of our tutorial.

Using a Class as a Decorator

We will rewrite the following decorator as a class:

def decorator1(f):
    def helper():
        print("Decorating", f.__name__)
        f()
    return helper

@decorator1
def foo():
    print("inside foo()")

foo()

OUTPUT:

Decorating foo
inside foo()

The following decorator implemented as a class does the same "job":

class decorator2:
    
    def __init__(self, f):
        self.f = f
        
    def __call__(self):
        print("Decorating", self.f.__name__)
        self.f()

@decorator2
def foo():
    print("inside foo()")

foo()    

OUTPUT:

Decorating foo
inside foo()

Both versions return the same output.

Live Python training

instructor-led training course

Enjoying this page? We offer live Python training courses covering the content of this site.

Upcoming online Courses

Python Intensive Course

01 Dec to 05 Dec 2025

Efficient Data Analysis with Pandas

01 Dec to 02 Dec 2025

Python and Machine Learning Course

01 Dec to 05 Dec 2025

See our Python training courses

See our Machine Learning with Python training courses