6.22. OOP Class Metaclass

  • Object is an instance of a class

  • Class is an instance of a Metaclass

Metaclasses are deeper magic than 99% of users should ever 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.

—Tim Peters

../../_images/oop-metaclass-inheritance.png

Figure 6.8. Object is an instance of a Class. Class is an instance of a Metaclass. Metaclass is an instance of a type. Type is an instance of a type.

When a class definition is executed, the following steps occur:

  1. MRO entries are resolved;

  2. the appropriate metaclass is determined;

  3. the class namespace is prepared;

  4. the class body is executed;

  5. the class object is created.

When using the default metaclass type, or any metaclass that ultimately calls type.__new__, the following additional customisation steps are invoked after creating the class object:

  1. type.__new__ collects all of the descriptors in the class namespace that define a __set_name__() method;

  2. all of these __set_name__ methods are called with the class being defined and the assigned name of that particular descriptor;

  3. the __init_subclass__() hook is called on the immediate parent of the new class in its method resolution order. 2

6.22.1. Recap

  • Functions are instances of a function class.

>>> def add(a, b):
...     return a + b
>>>
>>>
>>> type(add)
<class 'function'>

6.22.2. Syntax

  • Metaclass is a callable which returns a class

>>> Astronaut = type('Astronaut', (), {})
>>> def mymetaclass(clsname, bases, attrs):
...     return type('Astronaut', (), {})
>>>
>>> Astronaut = mymetaclass('Astronaut', (), {})
>>> class MyMetaclass(type):
...     def __new__(mcs, clsname, bases, attrs):
...         return type(clsname, bases, attrs)
>>>
>>>
>>> Astronaut = MyMetaclass('Astronaut', (), {})

6.22.3. Example

>>> class MyMetaclass(type):
...     pass
>>>
>>> class MyClass(metaclass=MyMetaclass):
...     pass
>>>
>>> class MySubclass(MyClass):
...     pass
>>>
>>>
>>> myinstance = MySubclass()
>>> type(MyMetaclass)
<class 'type'>
>>> type(MyClass)
<class '__main__.MyMetaclass'>
>>> type(MySubclass)
<class '__main__.MyMetaclass'>
>>> type(myinstance)
<class '__main__.MySubclass'>

6.22.4. Metaclasses

  • Is a callable which returns a class

  • Instances are created by calling the class

  • Classes are created by calling the metaclass (when it executes the class statement)

  • Combined with the normal __init__ and __new__ methods

  • Class defines how an object behaves

  • Metaclass defines how a class behaves

>>> class MyClass:
...     pass
>>>
>>> class MyClass(object):
...     pass
>>> class MyMeta(type):
...     pass
>>>
>>> class MyClass(metaclass=MyMeta):
...     pass
>>> class MyMeta(type):
...     def __new__(mcs, classname, bases, attrs):
...         return type(classname, bases, attrs)
>>>
>>>
>>> class MyClass(metaclass=MyMeta):
...     pass

6.22.5. Metaclass as a function

  • Function are classes

>>> def add(a, b):
...     return a + b
>>>
>>> type(add)
<class 'function'>
>>> def mymeta(classname, bases, attrs):
...     return type(classname, bases, attrs)
>>>
>>>
>>> class MyClass(metaclass=mymeta):
...     pass

6.22.6. Usage

  • Metaclasses allow you to do 'extra things' when creating a class

  • Allow customization of class instantiation

  • Most commonly used as a class-factory

  • Registering the new class with some registry

  • Replace the class with something else entirely

  • Inject logger instance

  • Injecting static fields

  • Ensure subclass implementation

  • Metaclasses run when Python defines class (even if no instance is created)

The potential uses for metaclasses are boundless. Some ideas that have been explored include enum, logging, interface checking, automatic delegation, automatic property creation, proxies, frameworks, and automatic resource locking/synchronization. 2

>>> class MyMeta(type):
...     def __new__(mcs, classname, bases, attrs):
...         print(locals())
...         return type(classname, bases, attrs)
>>>
>>>
>>> class MyClass(metaclass=MyMeta):
...     myattr = 1
...
...     def mymethod(self):
...         pass  
{'mcs': <class '__main__.MyMeta'>,
 'classname': 'MyClass',
 'bases': (),
 'attrs': {'__module__': '__main__',
           '__qualname__': 'MyClass',
           'myattr': 1,
           'mymethod': <function MyClass.mymethod at 0x...>}}

6.22.7. Keyword Arguments

>>> class MyMeta(type):
...     def __new__(mcs, classname, bases, attrs, myvar):
...         if myvar:
...             ...
...         return type(classname, bases, attrs)
>>>
>>>
>>> class MyClass(metaclass=MyMeta, myvar=True):
...     pass

6.22.8. Methods

  • __prepare__(metacls, name, bases, **kwargs) -> dict - on class namespace initialization

  • __new__(mcs, classname, bases, attrs) -> cls - before class creation

  • __init__(self, name, bases, attrs) -> None - after class creation

  • __call__(self, *args, **kwargs) - allows custom behavior when the class is called

Once the appropriate metaclass has been identified, then the class namespace is prepared. If the metaclass has a __prepare__ attribute, it is called as namespace = metaclass.__prepare__(name, bases, **kwds) (where the additional keyword arguments, if any, come from the class definition). The __prepare__ method should be implemented as a classmethod(). The namespace returned by __prepare__ is passed in to __new__, but when the final class object is created the namespace is copied into a new dict. If the metaclass has no __prepare__ attribute, then the class namespace is initialised as an empty ordered mapping. 1

>>> from typing import Any
>>>
>>>
>>> class MyMeta(type):
...     @classmethod
...     def __prepare__(metacls, name, bases) -> dict:
...         pass
...
...     def __new__(mcs, classname, bases, attrs) -> Any:
...         pass
...
...     def __init__(self, *args, **kwargs) -> None:
...         pass
...
...     def __call__(self, *args, **kwargs) -> Any:
...         pass

6.22.9. Use Case - 0x01

  • Logging

>>> import logging
>>>
>>>
>>> class Logger(type):
...     def __init__(cls, *args, **kwargs):
...         cls._logger = logging.getLogger(cls.__name__)
>>>
>>>
>>> class Astronaut(metaclass=Logger):
...     pass
>>>
>>>
>>> class Cosmonaut(metaclass=Logger):
...     pass
>>>
>>>
>>>
>>> print(Astronaut._logger)
<Logger Astronaut (WARNING)>
>>>
>>> print(Cosmonaut._logger)
<Logger Cosmonaut (WARNING)>

6.22.10. Type Metaclass

>>> type(1)
<class 'int'>
>>> type(int)
<class 'type'>
>>> type(type)
<class 'type'>
>>> type(float)
<class 'type'>
>>> type(bool)
<class 'type'>
>>> type(str)
<class 'type'>
>>> type(bytes)
<class 'type'>
>>> type(list)
<class 'type'>
>>> type(tuple)
<class 'type'>
>>> type(set)
<class 'type'>
>>> type(frozenset)
<class 'type'>
>>> type(dict)
<class 'type'>
>>> type(object)
<class 'type'>
>>> type(type)
<class 'type'>
../../_images/oop-metaclass-diagram.png

Figure 6.9. Object is an instance of a Class. Class is an instance of a Metaclass. Metaclass is an instance of a type. Type is an instance of a type.

>>> class MyClass:
...     pass
>>>
>>>
>>> my = MyClass()
>>>
>>> MyClass.__class__.__bases__
(<class 'object'>,)
>>>
>>> my.__class__.__bases__
(<class 'object'>,)
>>> class MyClass(object):
...     pass
>>>
>>>
>>> my = MyClass()
>>>
>>> MyClass.__class__.__bases__
(<class 'object'>,)
>>>
>>> my.__class__.__bases__
(<class 'object'>,)
>>> class MyMeta(type):
...     pass
>>>
>>> class MyClass(metaclass=MyMeta):
...     pass
>>>
>>>
>>> my = MyClass()
>>>
>>> MyClass.__class__.__bases__
(<class 'type'>,)
>>>
>>> my.__class__.__bases__
(<class 'object'>,)
>>> class MyMeta(type):
...     def __new__(mcs, classname, bases, attrs):
...         return type(classname, bases, attrs)
>>>
>>>
>>> class MyClass(metaclass=MyMeta):
...     pass

6.22.11. Method Resolution Order

>>> class Astronaut:
...     pass
>>>
>>>
>>> astro = Astronaut()
>>>
>>> isinstance(astro, Astronaut)
True
>>>
>>> isinstance(astro, object)
True
>>>
>>> Astronaut.__mro__
(<class '__main__.Astronaut'>, <class 'object'>)
>>> class AstroMeta(type):
...     pass
>>>
>>>
>>> class Astronaut(metaclass=AstroMeta):
...     pass
>>>
>>>
>>> astro = Astronaut()
>>>
>>> isinstance(astro, Astronaut)
True
>>>
>>> isinstance(astro, object)
True
>>>
>>> isinstance(astro, AstroMeta)
False
>>>
>>> isinstance(Astronaut, AstroMeta)
True
>>>
>>> Astronaut.__mro__
(<class '__main__.Astronaut'>, <class 'object'>)

6.22.12. Example

>>> import logging
>>>
>>>
>>> def new(cls):
...     obj = object.__new__(cls)
...     obj._logger = logging.getLogger(cls.__name__)
...     return obj
>>>
>>>
>>> class Astronaut:
...     pass
>>>
>>>
>>> Astronaut.__new__ = new
>>>
>>> mark = Astronaut()
>>> melissa = Astronaut()
>>>
>>> print(mark._logger)
<Logger Astronaut (WARNING)>
>>>
>>> print(melissa._logger)
<Logger Astronaut (WARNING)>
>>> import logging
>>>
>>>
>>> def new(cls):
...     obj = object.__new__(cls)
...     obj._logger = logging.getLogger(cls.__name__)
...     return obj
>>>
>>> str.__new__ = new
Traceback (most recent call last):
TypeError: cannot set '__new__' attribute of immutable type 'str'
>>> import logging
>>>
>>>
>>> def new(cls):
...     obj = object.__new__(cls)
...     obj._logger = logging.getLogger(cls.__name__)
...     return obj
>>>
>>> type.__new__ = new
Traceback (most recent call last):
TypeError: cannot set '__new__' attribute of immutable type 'type'

6.22.13. Use Case - 0x01

Injecting logger instance:

>>> import logging
>>>
>>>
>>> class Logger(type):
...     def __init__(cls, *args, **kwargs):
...         cls._logger = logging.getLogger(cls.__name__)
>>>
>>> class Astronaut(metaclass=Logger):
...     pass
>>>
>>> class Cosmonaut(metaclass=Logger):
...     pass
>>>
>>>
>>> print(Astronaut._logger)
<Logger Astronaut (WARNING)>
>>>
>>> print(Cosmonaut._logger)
<Logger Cosmonaut (WARNING)>

6.22.14. Use Case - 0x02

Abstract Base Class:

>>> from abc import ABCMeta, abstractmethod
>>>
>>>
>>> class Astronaut(metaclass=ABCMeta):
...     @abstractmethod
...     def say_hello(self):
...         pass
>>>
>>>
>>> astro = Astronaut()
Traceback (most recent call last):
TypeError: Can't instantiate abstract class Astronaut with abstract method say_hello

6.22.15. Use Case - 0x03

  • Event Listener

>>> class EventListener(type):
...     listeners: dict[str, list[callable]] = {}
...
...     @classmethod
...     def register(cls, *clsnames):
...         def wrapper(func):
...             for clsname in clsnames:
...                 if clsname not in cls.listeners:
...                     cls.listeners[clsname] = []
...                 cls.listeners[clsname] += [func]
...         return wrapper
...
...     def __new__(mcs, classname, bases, attrs):
...         for listener in mcs.listeners.get(classname, []):
...             listener.__call__(classname, bases, attrs)
...         return type(classname, bases, attrs)
>>>
>>>
>>> @EventListener.register('Astronaut')
... def hello_class(clsname, bases, attrs):
...     print(f'Hello new class {clsname}')
>>>
>>>
>>> @EventListener.register('Astronaut', 'Person')
... def print_name(clsname, bases, attrs):
...     print('New class created')
...     print('Classname:', clsname)
...     print('Bases:', bases)
...     print('Attrs:', attrs)
>>>
>>>
>>> class Person(metaclass=EventListener):
...     pass
New class created
Classname: Person
Bases: ()
Attrs: {'__module__': '__main__', '__qualname__': 'Person'}
>>>
>>>
>>> class Astronaut(Person, metaclass=EventListener):
...     pass
Hello new class Astronaut
New class created
Classname: Astronaut
Bases: (<class '__main__.Person'>,)
Attrs: {'__module__': '__main__', '__qualname__': 'Astronaut'}

6.22.16. Use Case - 0x04

  • Singleton

>>> class Singleton(type):
...     _instances = {}
...     def __call__(cls, *args, **kwargs):
...         if cls not in cls._instances:
...             cls._instances[cls] = super().__call__(*args, **kwargs)
...         return cls._instances[cls]
>>>
>>>
>>> class MyClass(metaclass=Singleton):
...     pass
>>> a = MyClass()
>>> b = MyClass()
>>>
>>> a is b
True
>>> id(a)  
4375248416
>>>
>>> id(b)  
4375248416

6.22.17. Use Case - 0x05

  • Final

>>> class Final(type):
...     def __new__(mcs, classname, base, attrs):
...         for cls in base:
...             if isinstance(cls, Final):
...                 raise TypeError(f'{cls.__name__} is final and cannot inherit from it')
...         return type.__new__(mcs, classname, base, attrs)
>>>
>>>
>>> class MyClass(metaclass=Final):
...     pass
>>>
>>> class SomeOtherClass(MyClass):
...    pass
Traceback (most recent call last):
TypeError: MyClass is final and cannot inherit from it

6.22.18. Use Case - 0x06

  • Django

Access static fields of a class, before creating instance:

>>> 
... from django.db import models
...
... # class Model(metaclass=...)
... #     ...
...
...
... class Person(models.Model):
...     firstname = models.CharField(max_length=255)
...     lastname = models.CharField(max_length=255)

6.22.19. Metaclass replacements

  • Effectively accomplish the same thing

Inheritance and __init__() method:

>>> import logging
>>>
>>>
>>> class Logger:
...     def __init__(self):
...         self._logger = logging.getLogger(self.__class__.__name__)
>>>
>>> class Astronaut(Logger):
...     pass
>>>
>>>
>>> astro = Astronaut()
>>> print(astro._logger)
<Logger Astronaut (WARNING)>

Inheritance and __new__() method:

>>> import logging
>>>
>>>
>>> class Logger:
...     def __new__(cls, *args, **kwargs):
...         obj = super().__new__(cls)
...         obj._logger = logging.getLogger(obj.__class__.__name__)
...         return obj
>>>
>>> class Astronaut(Logger):
...     pass
>>>
>>>
>>> astro = Astronaut()
>>> print(astro._logger)
<Logger Astronaut (WARNING)>

Inheritance for abstract base class validation:

>>> from abc import ABC, abstractmethod
>>>
>>>
>>> class Astronaut(ABC):
...     @abstractmethod
...     def say_hello(self):
...         pass
>>>
>>>
>>> astro = Astronaut()
Traceback (most recent call last):
TypeError: Can't instantiate abstract class Astronaut with abstract method say_hello

Class Decorator:

>>> import logging
>>>
>>>
>>> def add_logger(cls):
...     class Wrapper(cls):
...         _logger = logging.getLogger(cls.__name__)
...     return Wrapper
>>>
>>>
>>> @add_logger
... class Astronaut:
...     pass
>>>
>>>
>>> print(Astronaut._logger)
<Logger Astronaut (WARNING)>

6.22.20. References

1

https://docs.python.org/3/reference/datamodel.html#preparing-the-class-namespace

2(1,2)

https://docs.python.org/3/reference/datamodel.html#creating-the-class-object

6.22.21. Assignments