Decorators in Python are the design pattern that allows the users to add new functionalities to an existing object without the need to modify its structure. Decorators are generally called before defining a function the user wants to decorate.
Example:
def hello_decorator(func):
def inner1():
print ( "Hello, this is before function execution" )
func()
print ( "This is after function execution" )
return inner1
def function_to_be_used():
print ( "This is inside the function !!" )
function_to_be_used = hello_decorator(function_to_be_used)
function_to_be_used()
|
Output:
Hello, this is before function execution
This is inside the function !!
This is after function execution
Note: For more information, refer to Decorators in Python
Decorator to print Function call details
Let’s consider a scenario where you have written a very lengthy code and want to know the function call details. So what you can do is scroll through your code each and every time for different functions to know their details or you can work smartly. You can create a decorator that can print the details of any function you want.
To do this the functions in Python certain attributes. One such attribute is __code__
that returns the called function bytecode. The __code__
attributes also have certain attributes that will help us in performing our tasks. We will be using the co_varnames
attribute that returns the tuple of names of arguments and local variables and co_argcount
that returns the number of arguments (not including keyword-only arguments, * or ** args). Let’s see the below implementation of such decorator using these discussed attributes.
Example:
def function_details(func):
argnames = func.__code__.co_varnames[:func.__code__.co_argcount]
fname = func.__name__
def inner_func( * args, * * kwargs):
print (fname, "(" , end = "")
print ( ', ' .join( '% s = % r' % entry
for entry in zip (argnames, args[: len (argnames)])), end = ", " )
print ( "args =" , list (args[ len (argnames):]), end = ", " )
print ( "kwargs =" , kwargs, end = "")
print ( ")" )
return inner_func
@function_details
def GFG(a, b = 1 , * args, * * kwargs):
pass
GFG( 1 , 2 , 3 , 4 , 5 , d = 6 , g = 12.9 )
GFG( 1 , 2 , 3 )
GFG( 1 , 2 , d = 'Geeks' )
|
Output:
GFG (a = 1, b = 2, args = [3, 4, 5], kwargs = {'d': 6, 'g': 12.9})
GFG (a = 1, b = 2, args = [3], kwargs = {})
GFG (a = 1, b = 2, args = [], kwargs = {'d': 'Geeks'})