At first, the word Metaprogramming seems like a very funky and alien thing but if you have ever worked with decorators or metaclasses, you were doing metaprogramming there all along. In a nutshell, we can say metaprogramming is the code that manipulates code.
In this article, we are going to discuss Metaclasses, why and when we should use them, and what are the alternatives. This is a fairly advance Python topic and the following prerequisite is expected –
Note: This article considers Python 3.3 and above
Metaclasses
In Python, everything has some type associated with it. For example, if we have a variable having an integer value then its type is int. You can get the type of anything using the type() function.
Python3
num = 23
print ( "Type of num is:" , type (num))
lst = [ 1 , 2 , 4 ]
print ( "Type of lst is:" , type (lst))
name = "Atul"
print ( "Type of name is:" , type (name))
|
Output:
Type of num is: <class 'int'>
Type of lst is: <class 'list'>
Type of name is: <class 'str'>
Every type in Python is defined by Class. So in the above example, unlike C++ or Java where int, char, float are primary data types, in Python they are objects of int class or str class. So we can make a new type by creating a class of that type. For example, we can create a new type of Student by creating a Student class.
Python3
class Student:
pass
stu_obj = Student()
print ( "Type of stu_obj is:" , type (stu_obj))
|
Output:
Type of stu_obj is: <class '__main__.Student'>
A Class is also an object, and just like any other object, it’s an instance of something called Metaclass. A special class type creates these Class objects. The type class is default metaclass which is responsible for making classes. In the above example, if we try to find out the type of Student class, it comes out to be a type.
Python3
class Student:
pass
print ( "Type of Student class is:" , type (Student))
|
Output:
Type of Student class is: <class 'type'>
Because Classes are also an object, they can be modified in the same way. We can add or subtract fields or methods in class in the same way we did with other objects. For example –
Python3
class test: pass
test.x = 45
test.foo = lambda self : print ( 'Hello' )
myobj = test()
print (myobj.x)
myobj.foo()
|
Output:
45
Hello
This whole meta thing can be summarized as – Metaclass create Classes and Classes creates objects

The metaclass is responsible for the generation of classes, so we can write our custom metaclasses to modify the way classes are generated by performing extra actions or injecting code. Usually, we do not need custom metaclasses but sometimes it’s necessary.
There are problems for which metaclass and non-metaclass-based solutions are available (which are often simpler) but in some cases, only metaclass can solve the problem. We will discuss such a problem in this article.
Creating custom Metaclass
To create our custom metaclass, our custom metaclass has to inherit type metaclass and usually override –
- __new__(): It’s a method which is called before __init__(). It creates the object and returns it. We can override this method to control how the objects are created.
- __init__(): This method just initialize the created object passed as a parameter
We can create classes using the type() function directly. It can be called in following ways –
- When called with only one argument, it returns the type. We have seen it before in the above examples.
- When called with three parameters, it creates a class. Following arguments are passed to it –
- Class name
- Tuple having base classes inherited by class
- Class Dictionary: It serves as a local namespace for the class, populated with class methods and variables
Consider this example –
Python3
def test_method( self ):
print ( "This is Test class method!" )
class Base:
def myfun( self ):
print ( "This is inherited method!" )
Test = type ( 'Test' , (Base, ), dict (x = "atul" , my_method = test_method))
print ( "Type of Test class: " , type (Test))
test_obj = Test()
print ( "Type of test_obj: " , type (test_obj))
test_obj.myfun()
test_obj.my_method()
print (test_obj.x)
|
Output:
Type of Test class: <class 'type'>
Type of test_obj: <class '__main__.Test'>
This is inherited method!
This is Test class method!
atul
Now let’s create a metaclass without using type() directly. In the following example, we will be creating a metaclass MultiBases which will check if the class being created has inherited from more than one base class. If so, it will raise an error.
Python3
class MultiBases( type ):
def __new__( cls , clsname, bases, clsdict):
if len (bases)> 1 :
raise TypeError( "Inherited multiple base classes!!!" )
return super ().__new__( cls , clsname, bases, clsdict)
class Base(metaclass = MultiBases):
pass
class A(Base):
pass
class B(Base):
pass
class C(A, B):
pass
|
Output:
Traceback (most recent call last):
File "<stdin>", line 2, in <module>
File "<stdin>", line 8, in __new__
TypeError: Inherited multiple base classes!!!
Solving problems with metaclass
There are some problems which can be solved by decorators (easily) as well as by metaclasses. But there are a few problems whose results can only be achieved by metaclasses. For example, consider a very simple problem of code repetition.
We want to debug class methods, what we want is that whenever the class method executes, it should print its fully qualified name before executing its body.
The very first solution that comes to our mind is using method decorators, following is the sample code –
Python3
from functools import wraps
def debug(func):
@wraps (func)
def wrapper( * args, * * kwargs):
print ( "Full name of this method:" , func.__qualname__)
return func( * args, * * kwargs)
return wrapper
def debugmethods( cls ):
for key, val in vars ( cls ).items():
if callable (val):
setattr ( cls , key, debug(val))
return cls
@debugmethods
class Calc:
def add( self , x, y):
return x + y
def mul( self , x, y):
return x * y
def div( self , x, y):
return x / y
mycal = Calc()
print (mycal.add( 2 , 3 ))
print (mycal.mul( 5 , 2 ))
|
Output:
Full name of this method: Calc.add
5
Full name of this method: Calc.mul
10
This solution works fine but there is one problem, what if we want to apply this method decorator to all subclasses which inherit this Calc class. In that case, we have to separately apply the method decorator to every subclass just like we did with the Calc class.
The problem is if we have many such subclasses, then in that case we won’t like adding a decorator to each one separately. If we know beforehand that every subclass must have this debug property, then we should look up to the metaclass-based solution.
Have a look at this metaclass based solution, the idea is that classes will be created normally and then immediately wrapped up by debug method decorator –
Python3
from functools import wraps
def debug(func):
@wraps (func)
def wrapper( * args, * * kwargs):
print ( "Full name of this method:" , func.__qualname__)
return func( * args, * * kwargs)
return wrapper
def debugmethods( cls ):
for key, val in vars ( cls ).items():
if callable (val):
setattr ( cls , key, debug(val))
return cls
class debugMeta( type ):
def __new__( cls , clsname, bases, clsdict):
obj = super ().__new__( cls , clsname, bases, clsdict)
obj = debugmethods(obj)
return obj
class Base(metaclass = debugMeta): pass
class Calc(Base):
def add( self , x, y):
return x + y
class Calc_adv(Calc):
def mul( self , x, y):
return x * y
mycal = Calc_adv()
print (mycal.mul( 2 , 3 ))
|
Output:
Full name of this method: Calc_adv.mul
6
When to use Metaclasses
Most of the time we do not use metaclasses, it’s usually used for something complicated, but a few cases where we use metaclasses are –
- As we have seen in the above example, metaclasses propagate down the inheritance hierarchies. It will affect all the subclasses as well. If we have such a situation, then we should use metaclasses.
- If we want to change class automatically, when it is created, we use metaclasses
- For API development, we might use metaclasses
As quoted by Tim Peters
Metaclasses are deeper magic that 99% of users should never worry about. If you wonder whether you need them, you don’t (the people who actually need them know with certainty that they need them, and don’t need an explanation about why).
References
If you like GeeksforGeeks and would like to contribute, you can also write an article using write.geeksforgeeks.org or mail your article to review-team@geeksforgeeks.org. See your article appearing on the GeeksforGeeks main page and help other Geeks.
Please write comments if you find anything incorrect, or you want to share more information about the topic discussed above.
Whether you're preparing for your first job interview or aiming to upskill in this ever-evolving tech landscape,
GeeksforGeeks Courses are your key to success. We provide top-quality content at affordable prices, all geared towards accelerating your growth in a time-bound manner. Join the millions we've already empowered, and we're here to do the same for you. Don't miss out -
check it out now!
Last Updated :
11 Oct, 2021
Like Article
Save Article