pythondesign-patterns

Class with only class methods


I have a class with only class methods. Is it a Pythonic way of namespacing? If not, what is the best way to group similar kinds of methods?.

class OnlyClassMethods(object):
    @classmethod
    def method_1(cls):
        pass

    @classmethod
    def method_2(cls):
        pass

Solution

  • A class is meant to have instances, not to serve as namespace. If your class is never instantiated, it does not serve the intended purpose of Python's class.

    If you want to namespace a group of related methods, create a new module, that is another .py file, and import it.

    Example

    Here we create a module named helpers which contains some related methods. This module can then be imported in our main file.

    helpers.py

    def method_1():
        ...
    
    def method_2():
        ...
    

    main.py

    import helpers
    
    helpers.method_1()
    helpers.method_2()