Modules¶
A module in Ellar is essentially a class marked with the @Module() decorator. This simple yet powerful annotation serves as the cornerstone of defining the architecture and organization of an application.

Embracing the modular approach, each module encapsulates a specific set of functionalities, ensuring a clear separation of concerns within the application. The ApplicationModule typically acts as the root module, orchestrating the composition of various submodules.
This modular structure enables efficient management of dependencies, promotes code reusability, and enhances maintainability by facilitating clear boundaries between different components of the application. By structuring the application into modules, developers can easily reason about the codebase, foster collaboration among team members, and scale the application seamlessly.
Feature modules¶
Developing an application as a collection of feature modules grouped together offers several advantages. It helps in managing complexity, maintains a codebase that is both extendable and testable, and promotes adherence to SOLID principles.
A prime example of a feature module is the car project. In this project, the CarModule encapsulates all the services and controllers responsible for handling the car resource. This modular structure simplifies maintenance, extension, and testing of the codebase.
# project_name/apps/car/module.py
from ellar.common import Module
from ellar.core import ModuleBase
from ellar.di import Container
from .services import CarRepository
from .controllers import CarController
@Module(
    controllers=[CarController],
    providers=[CarRepository],
)
class CarModule(ModuleBase):
    pass
Module Parameters¶
Let's create a Module and take a quick overview of its parameters.
from ellar.common import Module
from ellar.core import ModuleBase
@Module(
    name='', 
    modules=[], 
    providers=[],
    controllers=[],
    exports=[],
    routers=[],
    commands=[],
    base_directory=None, 
    static_folder='static', 
    template_folder='templates'
)
class BookModule(ModuleBase):
    pass
| Parameter | Description | 
|---|---|
| name | The name of the module. It's relevant for identification purposes. | 
| modules | A list of dependencies required by this module. | 
| providers | Providers to be instantiated by the Ellar injector, possibly shared across this module. | 
| exports | List of services accessible at application scope level. | 
| controllers | Controllers defined in this module that need instantiation. | 
| routers | ModuleRouters defined in this module. | 
| commands | Functions decorated with EllarTyperorcommandthat serve as commands. | 
| base_directory | The root directory for this module, used to locate static_folderandtemplate_folder. Default is the module's root. | 
| static_folder | The folder for static files within this module. Default is 'static'. | 
| template_folder | The folder for templates within this module. Default is 'templates'. | 
Additional Module Configurations¶
The Ellar framework offers additional module configurations to handle various aspects of the application lifecycle and behavior.
Module Events¶
Modules can define post_build class method can be used to define additional Module properties after Module has built successfully.
| 1 2 3 4 5 6 7 8 9 |  | 
Module Application Cycle¶
Ellar follows a two-phase application lifecycle with on_startup and on_shutdown events managed by EllarApplicationLifespan.
from ellar.common import Module, IApplicationShutdown, IApplicationStartup
from ellar.core import ModuleBase
@Module()
class AModuleSample(ModuleBase, IApplicationStartup):
    async def on_startup(self, app: "App") -> None:
        pass
@Module()
class BModuleSample(ModuleBase, IApplicationShutdown):
    async def on_shutdown(self) -> None:
        pass
@Module()
class CModuleSample(ModuleBase, IApplicationStartup, IApplicationShutdown):
    async def on_startup(self, app: "App") -> None:
        pass
    async def on_shutdown(self) -> None:
        pass
Module Exceptions¶
Modules can register custom exception handlers for specific HTTP error codes.
| 1 2 3 4 5 6 7 8 |  | 
Module Templating Filters¶
Define Jinja2 templating filters within modules, which are then added to the Jinja2 environment instance during template loading.
from ellar.common import Module, template_global, template_filter
from ellar.core import ModuleBase
@Module()
class ModuleTemplateFilterSample(ModuleBase):
    @template_filter()
    def double_filter(self, n):
        return n * 2
    @template_global()
    def double_global(self, n):
        return n * 2
    @template_filter(name="dec_filter")
    def double_filter_dec(self, n):
        return n * 2
These configurations enhance the flexibility and functionality of Ellar modules, allowing for greater control over application behavior and lifecycle events.
Dependency Injection¶
A module class can inject providers, such as configuration objects, for various purposes. Let's consider an example from our sample project where we inject Config into the CarModule.
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 |  | 
In this example, the CarModule class accepts a Config object in its constructor. This allows us to access configuration parameters within the module. 
Module Middleware¶
Middleware functions can be defined at the module level using the @middleware() function decorator. Let's illustrate this with an example:
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 |  | 
Key points to remember: - Middleware functions must be asynchronous (async). - Middleware functions can return a response or modify a response returned. - Middleware functions must call call_next() and await its actions as demonstrated above.
Injector Module¶
The EllarInjector module, built on top of the Python library injector, offers similar features to the injector library, with some additional capabilities. One such feature is the ability to create or reuse modules from injector Modules for configuring bindings and providers for dependency injection.
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 |  | 
In this example, the ExampleModule registers the Description and Name types with the injector. These can then be resolved if required by any object in the application.
For more details on the use cases of the injector module, you can refer to the documentation here.
ForwardRefModule¶
ForwardRefModule is a powerful feature that allows you to reference a @Module() class in your application without needing to instantiate or configure it directly at the point of reference. 
This is particularly useful in scenarios where you have circular dependencies between modules or when you want to declare dependencies without tightly coupling your modules.
What problem does it solve?¶
Let's consider an example where we have two modules, ModuleA and ModuleB. ModuleB depends on a service/provider, which is exported, from ModuleA and ModuleB does not want to instantiate ModuleA directly but rather reference its existing instance from the application scope. ModuleB can use ForwardRefModule to declare the ModuleA as a dependency. And ModuleA can be setup differently in any random order.
A typical example is a CustomModule that depends on JWTModule to sign the JWT tokens. The CustomModule would declare JWTModule as a dependency using ForwardRefModule and JWTModule can be configured separately in ApplicationModule.
from ellar.common import Module
from ellar.core import ModuleBase, ForwardRefModule
from ellar_jwt import JWTModule, JWTService
@Module(name="CustomModule", modules=[ForwardRefModule(JWTModule)])
class CustomModule(ModuleBase):
    def __init__(self, jwt_service: JWTService):
        self.jwt_service = jwt_service
        assert self.jwt_service
@Module(modules=[
    CustomModule, 
    JWTModule.setup(secret_key="super-secret")
])
class ApplicationModule(ModuleBase):
    pass
JWTModule provides JWTService which is injected into CustomModule. By declaring ForwardRefModule(JWTModule) in CustomModule, the JWTService will be properly resolved during instantiation of CustomModule, regardless of the order in which the modules are configured in the application. This pattern is particularly useful when: - You want to avoid direct module instantiation - You need to configure a module differently in different parts of your application - You want to maintain loose coupling between modules
Forward Reference by Class¶
In the following example, we have two modules, ModuleA and ModuleB. ModuleB needs to reference ModuleA as a dependency, but instead of instantiating ModuleA directly, it uses ForwardRefModule to declare the dependency.
from ellar.common import Module
from ellar.core.modules import ForwardRefModule, ModuleBase, ModuleRefBase
@Module(name="moduleA")
class ModuleA:
    pass
@Module(name="ModuleB", modules=[ForwardRefModule(ModuleA)])
class ModuleB(ModuleBase):
    @classmethod
    def post_build(cls, module_ref: ModuleRefBase) -> None:
        assert ModuleA in module_ref.modules
@Module(modules=[ModuleA, ModuleB])
class ApplicationModule(ModuleBase):
    pass
In this example: - ModuleB references ModuleA using ForwardRefModule, meaning ModuleB knows about ModuleA but doesn't instantiate it. - When ApplicationModule is built, both ModuleA and ModuleB are instantiated. During this build process, ModuleB can reference the instance of ModuleA, ensuring that all dependencies are resolved properly.
This pattern is particularly useful when modules need to reference each other, creating a situation where they might otherwise be instantiated out of order or cause circular dependencies.
Forward Reference by Name¶
ForwardRefModule also supports referencing a module by its name, allowing for even more flexibility. This is beneficial when module classes are defined in separate files or when the module class may not be available at the time of reference.
from ellar.common import Module
from ellar.core.modules import ForwardRefModule, ModuleBase, ModuleRefBase
@Module(name="moduleA")
class ModuleA:
    pass
@Module(name="ModuleB", modules=[ForwardRefModule(module_name="moduleA")])
class ModuleB(ModuleBase):
    @classmethod
    def post_build(cls, module_ref: ModuleRefBase) -> None:
        assert ModuleA in module_ref.modules
@Module(modules=[ModuleA, ModuleB])
class ApplicationModule(ModuleBase):
    pass
In this second example: - ModuleB references ModuleA by its name, "moduleA". - During the build process of ApplicationModule, the name reference is resolved, ensuring that ModuleA is instantiated and injected into ModuleB correctly.
This method allows you to define module dependencies without worrying about the order of their definition, providing greater modularity and flexibility in your application's architecture.
By using ForwardRefModule, you can build complex, interdependent module structures without running into issues related to instantiation order or circular dependencies, making your codebase more maintainable and easier to manage.