Propagating Python function annotations through decorators

When we decorate a Python function we must take some care to ensure that the decorated function can present itself in the same way as before its decoration. Let's explore what is needed.

Decorating a Python function

Say we have an undecorated function f(). It features a docstring (line 2) and annotated arguments:

  1. def f(a:str):  
  2.     "an undecorated function"  
  3.     return a  
  4.   
  5. print(f.__name__,f.__annotations__,f.__doc__,f('foo'))  

The final line in the previous snippet prints the name of the function, its annotation dictionary and the docstring. The output looks like this:

f {'a': <class 'str'>} an undecorated function foo

Decorating a Python function

Now say we have a function do_something() and we would like to have a decorator that would arrange that a function would call do_something() first. We might set this up like this:

  1. def do_something():  
  2.     print('oink')  
  3.       
  4. def decorator(f):  
  5.     def g(*args,**kwargs):  
  6.         do_something()  
  7.         return f(*args,**kwargs)  
  8.     return g  
  9.      
  10. @decorator  
  11. def f(a:str):  
  12.     "a naively decorated function"  
  13.     return a  
  14.   
  15. print(f.__name__,f.__annotations__,f.__doc__,f('foo'))  

The final line would produce the following output:

oink
g {} None foo

It is clear that do_something() is executed as it does print oink but although our decorated function can be called as f(), its name, annototations and doctring are different.

Preserving attributes when decorating a Python function

To resolve these matters we can rewrite our decorator as follows:

  1. def decorator(f):  
  2.     def g(*args,**kwargs):  
  3.         do_something()  
  4.         return f(*args,**kwargs)  
  5.     g.__name__ = f.__name__  
  6.     g.__doc__ = f.__doc__  
  7.     g.__annotations__ = f.__annotations__  
  8.     return g  
  9.      
  10. @decorator  
  11. def f(a:str):  
  12.     "a less naively decorated function"  
  13.     return a  
  14.   
  15. print(f.__name__,f.__annotations__,f.__doc__,f('foo'))  

We now simply copy the relevant attributes to the newly created function and if we now examine the output produced by the final line we get what we expect:

oink
f {'a': <class 'str'>} a less naively decorated function foo