© 2022 The original authors.
Copies of this document may be made for your own use and for distribution to others, provided that you do not charge any fee for such copies and further provided that each copy contains this Copyright Notice, whether distributed in print or electronically. |
Preface
Project Metadata
-
Version control https://github.com/spring-projects-experimental/spring-modulith
-
Bug tracker: https://github.com/spring-projects-experimental/spring-modulith
-
Release repository: Maven central
-
Milestone repository: https://repo.spring.io/milestone
-
Snapshot repository: https://repo.spring.io/snapshot
-
Javadoc: https://docs.spring.io/spring-modulith/docs/0.5.0-SNAPSHOT/api
Using Spring Modulith
Spring Modulith consists of a set of libraries that can be used individually and depending on which features of it you would like to use. To ease the declaration of the individual modules, we recommend to declare the following BOM in your Maven POM:
<dependencyManagement>
<dependencies>
<dependency>
<groupId>org.springframework.experimental</groupId>
<artifactId>spring-modulith-bom</artifactId>
<version>0.5.0-SNAPSHOT</version>
<scope>import</scope>
<type>pom</type>
</dependency>
</dependencies>
</dependencyManagement>
The individual sections describing Spring Modulith features will refer to the individual artifacts that are needed to make use of the feature. For an overview about all modules available, have a look at Spring Modulith modules.
1. Fundamentals
Spring Modulith supports developers implementing logical modules in Spring Boot applications. It allows them to apply structural validation, document the module arrangement, run integration tests for individual modules, observe the modules interaction at runtime and generally implement module interaction in a loosely-coupled way. This section will discuss the fundamental concepts that developers need to understand before diving into the technical support.
1.1. Application modules
In a Spring Boot application, an application module is a unit of functionality that consists of the following parts:
-
An API exposed to other modules implemented by Spring bean instances and application events published by the module, usually referred to as provided interface.
-
Internal implementation components that are not supposed to be accessed by other modules.
-
References to API exposed by other modules in the form of Spring bean dependencies, application events listened to and configuration properties exposed, usually referred to as required interface.
Spring Moduliths provides different ways of expressing modules within Spring Boot applications, primarily differing in the level of complexity involved in the overall arrangement. This allows developers to start simple and naturally move to more sophisticated means as and if needed.
1.1.1. Simple Application Modules
The application’s main package is the one that the main application class resides in.
That is the class, that is annotated with @SpringBootApplication
and usually contains the main(…)
method used to run it.
By default, each direct sub-package of the main package is considered an application module package.
If this package does not contain any sub-packages, it is considered a simple one. It allows to hide code inside it by using Java’s package scope to hide types from being referred to by code residing in other packages and thus not subject for dependency injection into those. Thus, naturally, the module’s API consists of all public types in the package.
Let us have a look at an example arrangement ( denotes a public type, a package protected one).
Example
└─ src/main/java
├─ example (1)
| └─ Application.java
└─ example.inventory (2)
├─ InventoryManagement.java
└─ SomethingInventoryInternal.java
1 | The application’s main package example . |
2 | An application module package inventory . |
1.1.2. Advanced Application Modules
If an application module package contains sub-packages, types in those might need to be made public so that it can be referred to from code of the very same module.
Example
└─ src/main/java
├─ example
| └─ Application.java
├─ example.inventory
| ├─ InventoryManagement.java
| └─ SomethingInventoryInternal.java
├─ example.order
| └─ OrderManagement.java
└─ example.order.internal
└─ SomethingOrderInternal.java
In such an arrangement, the order
package is considered an API package.
Code from other application modules is allowed to refer to types within that.
order.internal
, just as any other sub-package of the application module base package are considered internal ones.
Code within those must not be referred to from other modules.
Note, how SomethingOrderInternal
is a public type, likely because OrderManagement
depends on it.
This unfortunately means, that it can also be referred to from other packages such as the inventory
one.
In this case, the Java compiler is not of much use to prevent these illegal references.
1.1.3. Explicit Application Module Dependencies
A module can opt into declaring its allowed dependencies by using the @ApplicationModule
annotation on the package-info.java
type.
@org.springframework.modulith.ApplicationModule(
allowedDependencies = "order"
)
package example.inventory;
In this case code within the inventory module was only allowed to refer to code in the order module (and code not assigned to any module in the first place). Find out about how to monitor that in Verifying Application Module Structure.
1.1.4. The ApplicationModules
Type
Spring Moduliths allows to inspect a codebase to derive an application module model based on the given arrangement and optional configuration.
The spring-modulith-core
artifact contains ApplicationModules
that can be pointed to a Spring Boot application class:
var modules = ApplicationModules.of(Application.class);
To get an impression about what the analyzed arrangement looks like, we can just write the individual modules contained in the overall model to the console:
modules.forEach(System.out::println);
## example.inventory ##
> Logical name: inventory
> Base package: example.inventory
> Spring beans:
+ ….InventoryManagement
o ….SomeInternalComponent
## example.order ##
> Logical name: order
> Base package: example.order
> Spring beans:
+ ….OrderManagement
+ ….internal.SomeInternalComponent
Note, how each module is listed and the contained Spring components are identified and the respective visibility is rendered, too.
1.1.5. Named Interfaces
By default and as described in Advanced Application Modules, an application module’s base package is considered the API package and thus is the only package to allow incoming dependencies from other modules.
In case you would like to expose additional packages to other modules, you need to use named interfaces.
You achieve that by annotating the package-info.java
file of those package with @NamedInterface
.
Example
└─ src/main/java
├─ example
| └─ Application.java
├─ …
├─ example.order
| └─ OrderManagement.java
├─ example.order.spi
| ├— package-info.java
| └─ SomeSpiInterface.java
└─ example.order.internal
└─ SomethingOrderInternal.java
package-info.java
in example.order.spi
@org.springframework.modulith.NamedInterface("spi")
package example.order.spi;
The effect of that declaration is two fold: first, code in other application modules is allowed to refer to SomeSpiInterface
.
Application modules are able to refer to the named interface in explicit dependency declarations.
Assume the inventory module was making use of that, it could refer to the above declared named interface like this:
@org.springframework.modulith.ApplicationModule(
allowedDependencies = "order::spi"
)
package example.inventory;
Note how we concatenate the named interface’s name spi
via the double colon ::
.
In this setup, code in inventory would be allowed to depend on SomeSpiInterface
and other code residing in the order.spi
interface, but not on OrderManagement
for example.
For modules without explicitly described dependencies, both the application module root package and the SPI one are accessible.
1.1.6. Customizing Module Detection
If the default application module model does not work for your application, the detection of the modules can be customized by providing an implementation of ApplicationModuleDetectionStrategy
.
That interface exposes a single method Stream<JavaPackage> getModuleBasePackages(JavaPackage)
and will be called with the package, the Spring Boot application class resides in.
You can then inspect the packages residing within that and select the ones to be considered application module base packages based on a naming convention or the like.
Assume you declare a custom ApplicationModuleDetectionStrategy
implementation like this:
package example;
class CustomApplicationModuleDetectionStrategy implements ApplicationModuleDetectionStrategy {
@Override
public Stream<JavaPackage> getModuleBasePackages(JavaPackage basePackage) {
// Your module detection goes here
}
}
This class needs to be registered in META-INF/spring.factories
as follows:
org.springframework.modulith.core.ApplicationModuleDetectionStrategy=\
example.CustomApplicationModuleDetectionStrategy
2. Verifying Application Module Structure
We can verify whether our code arrangement adheres to the intended constraints by calling the ….verify()
method on our ApplicationModules
instance:
ApplicationModules.of(Application.class).verify();
The verification includes the following rules:
-
No cycles on the application module level — the dependencies between modules have to form directed, acyclic graph.
-
Efferent module access via API packages only — All references to types that reside in application module internal packages are rejected. See Advanced Application Modules for details.
-
Explicitly allowed application module dependencies only (optional) — An application module can optionally define allowed dependencies via
@ApplicationModule(allowedDependencies = …)
. If those are configured, dependencies to other application modules are rejected. See Explicit Application Module Dependencies and Named Interfaces for details.
Spring Modulith optionally integrates with the jMolecules ArchUnit library and, if present, automatically triggers its verification rules described here.
3. Integration Testing Application Modules
Spring Modulith allows to run integration tests bootstrapping individual application modules in isolation or combination with others.
To achieve this, place JUnit test class in an application module package or any sub-package of that and annotate it with @ApplicationModuleTest
:
package example.order;
@ApplicationModuleTest
class OrderIntegrationTests {
// Individual test cases go here
}
This will run your integration test similar to what @SpringBootTest
would have achieved but with the bootstrap actually limited to the application module the test resides in.
If you configure the log level for org.springframework.modulith
to DEBUG
, you will see detailed information about how the test execution customizes the Spring Boot bootstrap:
. ____ _ __ _ _
/\\ / ___'_ __ _ _(_)_ __ __ _ \ \ \ \
( ( )\___ | '_ | '_| | '_ \/ _` | \ \ \ \
\\/ ___)| |_)| | | | | || (_| | ) ) ) )
' |____| .__|_| |_|_| |_\__, | / / / /
=========|_|==============|___/=/_/_/_/
:: Spring Boot :: (v3.0.0-SNAPSHOT)
… - Bootstrapping @ApplicationModuleTest for example.order in mode STANDALONE (class example.Application)…
… - ======================================================================================================
… - ## example.order ##
… - > Logical name: order
… - > Base package: example.order
… - > Direct module dependencies: none
… - > Spring beans:
… - + ….OrderManagement
… - + ….internal.OrderInternal
… - Starting OrderIntegrationTests using Java 17.0.3 …
… - No active profile set, falling back to 1 default profile: "default"
… - Re-configuring auto-configuration and entity scan packages to: example.order.
Note, how the output contains the detailed information about the module included in the test run. It creates the application module module, finds the module to be run and limits the application of auto-configuration, component and entity scanning to the corresponding packages.
3.1. Bootstrap Modes
The application module test can be bootstrapped in a variety of modes:
-
STANDALONE
(default) — Runs the current module only. -
DIRECT_DEPENDENCIES
— Runs the current module as well as all modules the current one directly depends on. -
ALL_DEPENDENCIES
— Runs the current module and the entire tree of modules depended on.
3.2. Dealing with Efferent Dependencies
When an application module is bootstrapped, the Spring beans it contains will be instantiated. If those contain bean references that cross module boundaries, the bootstrap will fail if those other modules are not included in the test run (see Bootstrap Modes for details). While a natural reaction might be to expand the scope of the application modules included, it is usually a better option to mock the target beans.
@ApplicationModuleTest
class InventoryIntegrationTests {
@MockBean SomeOtherComponent someOtherComponent;
}
Spring Boot will create bean definitions and instances for the types defined as @MockBean
and add them to the ApplicationContext
bootstrapped for the test run.
If you find your application module depending on too many beans of other ones, that is usually a sign of high coupling between them. The dependencies should be reviewed for whether they are candidates for replacement by publishing a domain event (see Working with Application Events).
3.3. Defining integration test scenarios
Integration testing application modules can become a quite elaborate effort.
Especially if the integration of those is based on asynchronous, transactional event handling, dealing with the concurrent execution can be subject to subtle errors.
Also, it requires dealing with quite a few infrastructure components: TransactionOperations
and ApplicationEventProcessor
to make sure events are published and delivered to transactional listeners, Awaitility to handle concurrency and AssertJ assertions to formulate expectations on the test execution’s outcome.
To ease the definition of application module integration tests, Spring Modulith provides the Scenario
abstraction that can be used by declaring it as test method parameter in tests declared as @ApplicationModuleTest
.
Scenario
API in a JUnit 5 test@ApplicationModuleTest
class SomeApplicationModuleTest {
@Test
public void someModuleIntegrationTest(Scenario scenario) {
// Use the Scenario API to define your integration test
}
}
The test definition itself usually follows the following skeleton:
-
A stimulus to the system is defined. This is usually either an event publication or an invocation of a Spring component exposed by the module.
-
Optional customization of technical details of the execution (timeouts, etc.)
-
The definition of some expected outcome, such as another application event being fired that matches some criteria or some state change of the module that can be detected by invoking exposed components.
-
Optional, additional verifications made on the received event or observed, changed state.
Scenario
exposes API to define these steps and guide you through the definition.
Scenario
// Start with an event publication
scenario.publish(new MyApplicationEvent(…)).…
// Start with a bean invocation
scenario.stimulate(() -> someBean.someMethod(…)).…
Both the event publication and bean invocation will happen within a transaction callback to make sure the given event or any ones published during the bean invocation will be delivered to transactional event listeners.
Note, that this will require a new transaction to be started, no matter whether the test case is already running inside a transaction or not.
In other words, state changes of the database triggered by the stimulus will never be rolled back and have to be cleaned up manually.
See the ….andCleanup(…)
methods for that purpose.
The resulting object can now get the execution customized though the generic ….customize(…)
method or specialized ones for common use cases like setting a timeout (….waitAtMost(…)
).
The setup phase will be concluded by defining the actual expectation of the outcome of the stimulus. This can be an event of a particular type in turn, optionally further constraint by matchers:
….andWaitForEventOfType(SomeOtherEvent.class)
.matching(event -> …) // Use some predicate here
.…
These lines set up a completion criteria that the eventual execution will wait for to proceed.
In other words, the example above will cause the execution to eventually block until either the default timeout is reached or a SomeOtherEvent
is published that matches the predicate defined.
The terminal operations to execute the event-based Scenario
are named ….toArrive…()
and allow to optionally access the expected event published, or the result object of the bean invocation defined in the original stimulus.
// Executes the scenario
….toArrive(…)
// Execute and define assertions on the event received
….toArriveAndVerify(event -> …)
The choice of method names might look a bit weird when looking at the steps individually but they actually read quite fluent when combined.
Scenario
definitionscenario.publish(new MyApplicationEvent(…))
.andWaitForEventOfType(SomeOtherEvent.class)
.matching(event -> …)
.toArriveAndVerify(event -> …);
Alternatively to an event publication acting as expected completion signal, we can also inspect the state of the application module by invoking a method on one of the components exposed. The scenario would then rather look like this:
scenario.publish(new MyApplicationEvent(…))
.andWaitForStateChange(() -> someBean.someMethod(…)))
.andVerify(result -> …);
The result
handed into the ….andVerify(…)
method will be the value returned by the method invocation to detect the state change.
By default, non-null
values and non-empty Optional
s will be considered a conclusive state change.
This can be tweaked by using the ….andWaitForStateChange(…, Predicate)
overload.
4. Working with Application Events
To keep application modules as decoupled as possible from each other, their primary means of interaction should be event publication and consumption. This avoids the originating module to know about all potentially interested parties, which is a key aspect to enable application module integration testing (see Integration Testing Application Modules).
Often we will find application components defined like this:
@Service
@RequiredArgsConstructor
public class OrderManagement {
private final InventoryManagement inventory;
@Transactional
public void complete(Order order) {
// State transition on the order aggregate go here
// Invoke related functionality
inventory.updateStockFor(order);
}
}
The complete(…)
method creates functional gravity in the sense that it attracts related functionality and thus interaction with Spring beans defined in other application modules.
This especially makes the component harder to test as we need to have instances available of those depended on beans just to create an instance of OrderManagement
(see Dealing with Efferent Dependencies).
It also means that we will have to touch the class whenever we would like to integrate further functionality with the business event order completion.
We can change the application module interaction as follows:
ApplicationEventPublisher
@Service
@RequiredArgsConstructor
public class OrderManagement {
private final ApplicationEventPublisher events;
private final OrderInternal dependency;
@Transactional
public void complete(Order order) {
// State transition on the order aggregate go here
events.publishEvent(new OrderCompleted(order.getId()));
}
}
Note, how, instead of depending on the other application module’s Spring bean, we use Spring’s ApplicationEventPublisher
to publish a domain event, once we have completed the state transitions on the primary aggregate.
For a more aggregate-driven approach to event publication, see Spring Data’s application event publication mechanism for details.
As event publication happens synchronously by default, the transactional semantics of the overall arrangement stay the same as in the example above.
Both for the good, as we get to a very simple consistency model (either both the status change of the order and the inventory update succeed or none of them does), but also for the bad as more triggered related functionality will widen the transaction boundary and potentially cause the entire transaction to fail, even if the functionality that is causing the error is not crucial.
A different way of approaching this is by moving the event consumption to asynchronous handling at transaction commit and treat secondary functionality exactly as that:
@Component
class InventoryManagement {
@Async
@TransactionalEventListener
void on(OrderCompleted event) { /* … */ }
}
This now effectively decouples the original transaction from the execution of the listener. While this avoids the expansion of the original business transaction, it also creates a risk: if the listener fails for whatever reason, the event publication is lost, unless each listener actually implements its own safety net. Even worse, that doesn’t even fully work, as the system might fail before the method is even invoked.
4.1. Application Module Listener
To run a transactional event listener in a transaction itself, it would need to be annotated with @Transactional
in turn.
@Component
class InventoryManagement {
@Async
@Transactional
@TransactionalEventListener
void on(OrderCompleted event) { /* … */ }
}
To ease the declaration of what is supposed to describe the default way of integrating modules via events, Spring Modulith provides @ApplicationModuleListener
to shortcut the declaration
@Component
class InventoryManagement {
@ApplicationModuleListener
void on(OrderCompleted event) { /* … */ }
}
4.2. The Event Publication Registry
Spring Modulith ships with an event publication registry that hooks into the core event publication mechanism of Spring Framework. On event publication, it finds out about the transactional event listeners that will get the event delivered and writes entries for each of them (dark blue) into an event publication log as part of the original business transaction.
Each transactional event listener is wrapped into an aspect that marks that log entry as completed if the execution of the listener succeeds. In case the listener fails, the log entry stays untouched so that retry mechanisms can be deployed depending on the application’s needs. By default, all incomplete event publications are resubmitted at application startup.
4.3. Event Publication Repositories
To actually write the event publication log, Spring Modulith exposes an EventPublicationRepository
SPI and implementations for popular persistence technologies that support transactions, like JPA, JDBC and MongoDB.
You select the persistence technology to be used by adding the corresponding JAR to your Spring Modulith application.
We have prepared dedicated starters to ease that task.
The JDBC-based implementation can create a dedicated table for the event publication log when the respective configuration property (spring.modulith.events.jdbc-schema-initialization.enabled
) is set to true
.
For details, please consult the schema overview in the appendix.
4.4. Event Serializer
Each log entry contains the original event in serialized form.
The EventSerializer
abstraction contained in spring-modulith-events-core
allows plugging different strategies for how to turn the event instances into a format suitable for the datastore.
Spring Modulith provides a Jackson-based JSON implementation through the spring-modulith-events-jackson
artifact, which registers a JacksonEventSerializer
consuming an ObjectMapper
through standard Spring Boot auto-configuration by default.
4.5. Spring Boot Event Registry Starters
Using the transactional event publication log requires a combination of artifacts added to your application.
To ease that task, Spring Modulith provides starter POMs that are centered around the persistence technology to be used and default to the Jackson-based EventSerializer
implementation.
The following starters are available:
-
spring-modulith-starter-jpa
— Using JPA as persistence technology. -
spring-modulith-starter-jdbc
— Using JDBC as persistence technology. Also works in JPA-based applications but bypasses your JPA provider for actual event persistence. -
spring-modulith-starter-mongodb
— Using MongoDB behind Spring Data MongoDB.
4.6. Integration Testing Application Modules Working with Events
Integration tests for application modules that interact with other modules' Spring beans usually have those mocked and the test cases verify the interaction by verifying that that mock bean was invoked in a particular way.
@ApplicationModuleTest
class OrderIntegrationTests {
@MockBean SomeOtherComponent someOtherComponent;
@Test
void someTestMethod() {
// Given
// When
// Then
verify(someOtherComponent).someMethodCall();
}
}
In an event-based application interaction model, the dependency to the other application module’s Spring bean is gone and we have nothing to verify.
Spring Modulith’s @ApplicationModuleTest
enables the ability to get a PublishedEvents
instance injected into the test method to verify a particular set of events has been published during the course of the business operation under test.
@ApplicationModuleTest
class OrderIntegrationTests {
@Test
void someTestMethod(PublishedEvents events) {
// …
var matchingMapped = events.ofType(OrderCompleted.class)
.matching(OrderCompleted::getOrderId, reference.getId());
assertThat(matchingMapped).hasSize(1);
}
}
Note, how PublishedEvents
exposes API to select events matching a certain criteria.
The verification is concluded by an AssertJ assertion that verifies the number of elements expected.
If you are using AssertJ for those assertions anyway, you can also use AssertablePublishedEvents
as test method parameter type and use the fluent assertion APIs provided through that.
AssertablePublishedEvents
to verify event publications@ApplicationModuleTest
class OrderIntegrationTests {
@Test
void someTestMethod(AssertablePublishedEvents events) {
// …
assertThat(events)
.contains(OrderCompleted.class)
.matching(OrderCompleted::getOrderId, reference.getId());
}
}
Note, how the type returned by the assertThat(…)
expression allows to define constraints on the published events directly.
5. Moments — a Passage of Time Events API
modulith-moments
is a Passage of Time Events implementation heavily inspired by Matthias Verraes blog post.
It’s an event-based approach to time to trigger actions that are tied to a particular period of time having passed.
To use the abstraction, include the following dependency in your project:
<dependency>
<groupId>org.springframework.modulith</groupId>
<artifactId>spring-modulith-moments</artifactId>
</dependency>
The dependency added to the project’s classpath causes the following things in your application:
-
Application code can refer to
HourHasPassed
,DayHasPassed
,WeekHasPassed
,MonthHasPassed
,QuarterHasPassed
,YearHasPassed
types in Spring event listeners to get notified if a certain amount of time has passed. -
A bean of type
org.springframework.modulith.Moments
is available in theApplicationContext
that contains the logic to trigger these events. -
If
spring.modulith.moments.enable-time-machine
is set totrue
, that instance will be aorg.springframework.modulith.TimeMachine
which allows to "shift" time and by that triggers all intermediate events, which is useful to integration test functionality that is triggered by the events.
By default, Moments uses a Clock.systemUTC()
instance. To customize this, declare a bean of type Clock
.
@Configuration
class MyConfiguration {
@Bean
Clock myCustomClock() {
// Create a custom Clock here
}
}
Moments exposes the following application properties for advanced customization:
Property | Default value | Description |
---|---|---|
|
false |
If set to |
|
hours |
The minimum granularity of events to be fired. Alternative value |
|
|
The |
|
|
The month at which quarters start. |
|
|
The |
6. Documenting Application Modules
The application module model created via ApplicationModules
can be used to create documentation snippets for inclusion into developer documentation written in Asciidoc.
Spring Modulith’s Documenter
abstraction can produce two different kinds of snippets:
-
C4 and UML component diagrams describing the relationships between the individual application modules
-
A so-called Application Module Canvas, a tabular overview about the module and the most relevant elements in those (Spring beans, aggregate roots, events published and listened to as well as configuration properties).
6.1. Generating Application Module Component diagrams
The documentation snippets can be generated by handing the ApplicationModules
instance into a Documenter
.
Documenter
class DocumentationTests {
ApplicationModules modules = ApplicationModules.of(Application.class);
@Test
void writeDocumentationSnippets() {
new Documenter(modules)
.writeModulesAsPlantUml()
.writeIndividualModulesAsPlantUml();
}
}
The first call on Documenter
will generate a C4 component diagram containing all modules within the system.
The second call will create additional diagrams that only include the individual module and the ones they directly depend on on the canvas.
6.1.1. Using Traditional UML Component Diagrams
If you prefer the traditional UML style component diagrams, tweak the DiagramOptions
to rather use that style as follows:
DiagramOptions.defaults()
.withStyle(DiagramStyle.UML);
This will cause the diagrams to look like this:
6.2. Generating Application Module Canvases
The Application Module Canvases can be generated by calling Documenter.writeModuleCanvases()
:
Documenter
class DocumentationTests {
ApplicationModules modules = ApplicationModules.of(Application.class);
@Test
void writeDocumentationSnippets() {
new Documenter(modules)
.writeModuleCanvases();
}
}
A canvas generated looks like this:
Base package |
|
---|---|
Spring components |
Services
Repositories
Event listeners
Configuration properties
Others
|
Aggregate roots |
|
Published events |
|
Events listened to |
|
Properties |
|
It consists of the following sections:
-
The application module’s base package.
-
The Spring beans exposed by the application module, grouped by stereotype. — In other words beans that are located in either the API package or any named interface package.
-
Exposed aggregate roots — Any entities that we find repositories for or explicitly declared as aggregate via jMolecules.
-
Application events published by the module — Those event types need to be demarcated using jMolecules
@DomainEvent
or implement itsDomainEvent
interface. -
Application events listened to by the module — Derived from methods annotated with Spring’s
@EventListener
,@TransactionalEventListener
, jMolecules'@DomainEventHandler
or beans implementingApplicationListener
. -
Configuration properties — Spring Boot Configuration properties exposed by the application module. Requires the usage of the
spring-boot-configuration-processor
artifact to extract the metadata attached to the properties.
7. Spring Modulith Runtime Support
The functionality described in previous chapters have all used the application module arrangement in either testing scenarios for verification and documentation purposes or were general support functionality that help to loosely couple modules but did not work with the application module structure directly. In this section we are going to describe Spring Modulith’s support for
7.1. Setting up Runtime Support for Application Modules
To enable the runtime support for Spring Modulith, make sure you include the spring-modulith-runtime
JAR in your project.
<dependency>
<groupId>org.springframework.modulith</groupId>
<artifactId>spring-modulith-runtime</artifactId>
<scope>runtime</scope>
</dependency>
It’s worth noting that using the runtime support of Spring Modulith will mean that you include both ArchUnit and the JGraphT (required to topologically sort application modules) library in your application. |
Adding this JAR will cause Spring Boot auto-configuration to run that registers the following components in your application:
-
An
ApplicationModulesRuntime
that allows to access theApplicationModules
. -
A
SpringBootApplicationRuntime
to back the former bean to detect the main application class. -
An event listener for
ApplicationStartedEvent
s that will invokeApplicationModuleInitializer
beans defined in the application context.
7.2. Application Module Initializers
When working with application modules, it is pretty common to need to execute some code specific to an individual module on application startup. This means that the execution order of that code needs to follow the dependency structure of the application modules. If a module B depends on module A, the initialization code of A has to run before the one for B, even if the initializers do not directly depend on another.
While developers could of course define the execution order via Spring’s standard @Order
annotation or Ordered
interface, Spring Modulith provides an ApplicationModuleInitializer
interface for beans to be run on application startup.
The execution order of those beans will automatically follow the application module dependency structure.
@Component
class MyInitializer implements ApplicationModuleInitializer {
@Override
void initialize() {
// Initialization code goes here
}
}
Note, that the ApplicationModuleInitializer
beans will only be invoked if the spring-modulith-runtime
JAR is on the classpath (see Setting up Runtime Support for Application Modules) as that pulls in the dependencies that are needed to topologically sort the initializers according to the application module structure.
8. Production-ready Features
Spring Modulith provides support to expose architectural information about your system as a Spring Boot actuator endpoint as well as observing the interaction between application modules by capturing metrics and traces. As a production-ready application is likely to require both, the most convenient way to activate those features is to use the Spring Modulith Insight starter as follows:
<dependency>
<groupId>org.springframework.experimental</groupId>
<artifactId>spring-modulith-starter-insight</artifactId>
<version>{projectVersion}</version>
<scope>runtime</scope>
</dependency>
This will include the actuator and observability support as well as Spring Boot’s actuator startup for general support for actuators. Note, that you will still have to add further dependencies to connect your application to your monitoring tools such as Zipkin, Wavefront etc. usually via OpenTelemetry or Brave. Find more information on that in the corresponding section of Spring Boot’s reference documentation.
8.1. Application Module Actuator
The application module structure can be exposed as Spring Boot actuator.
To enable the actuator, add the spring-modulith-actuator
dependency to the project:
<dependency>
<groupId>org.springframework.experimental</groupId>
<artifactId>spring-modulith-actuator</artifactId>
<version>{projectVersion}</version>
<scope>runtime</scope>
</dependency>
<!-- Spring Boot actuator starter required to enable actuators in general -->
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-actuator</artifactId>
<version>…</version>
<scope>runtime</scope>
</dependency>
Running the application will now expose an applicationmodules
actuator resource:
GET http://localhost:8080/actuator
{
"_links": {
"self": {
"href": "http://localhost:8080/actuator",
"templated": false
},
"health-path": {
"href": "http://localhost:8080/actuator/health/{*path}",
"templated": true
},
"health": {
"href": "http://localhost:8080/actuator/health",
"templated": false
},
"applicationmodules": { (1)
"href": "http://localhost:8080/actuator/applicationmodules",
"templated": false
}
}
}
1 | The applicationmodules actuator resource advertised. |
The applicationmodules
resource adheres to the following structure:
JSONPath | Description |
---|---|
|
The technical name of an application module. Target for module references in |
|
The human-readable name of the application module. |
|
The application module’s base package. |
|
All outgoing dependencies of the application module |
|
The name of the application module depended on. A reference to a |
|
The types of dependencies towards the target module. Can either be |
An example module arrangement would look like this:
{
"a": {
"basePackage": "example.a",
"displayName": "A",
"dependencies": []
},
"b": {
"basePackage": "example.b",
"displayName": "B",
"dependencies": [ {
"target": "a",
"types": [ "EVENT_LISTENER", "USES_COMPONENT" ]
} ]
}
}
8.2. Observing Application Modules
The interaction between application modules can be intercepted to create Micrometer spans to ultimately end up in traces you can visualize in tools like Zipkin. To activate the instrumentation add the following runtime dependency to your project:
<dependency>
<groupId>org.springframework.modulith</groupId>
<artifactId>spring-modulith-observability</artifactId>
<version>{projectVersion}</version>
<scope>runtime</scope>
</dependency>
You will have to configure additional infrastructure dependencies depending on the tooling you want to pipe the observability metadata in. For details, please check the corresponding Spring Boot documentation on which dependencies to include for your setup. |
This will cause all Spring components that are part of the application module’s API being decorated with an aspect that will intercept invocations and create Micrometer spans for them. A sample invocation trace can be seen below:
In this particular case, triggering the payment changes the state of the order which then causes an order completion event being triggered. This gets picked up asynchronously by the engine that triggers another state change on the order, works for a couple of seconds and triggers the final state change on the order in turn.
9. Appendix
Appendix A: Migrating from Moduliths
-
o.m.model.Modules
has been renamed too.s.m.model.ApplicationModules
-
o.m.model.ModuleDetectionStrategy
has been renamed too.s.m.model.ApplicationModuleDetectionStrategy
-
@o.m.test.ModuleTest
has been renamed to@o.s.m.test.ApplicationModuleTest
-
o.m.docs.Documenter.Options
has been renamed too.s.m.docs.Documenter.DiagramOptions
-
The diagram style of component diagrams now defaults to
DiagramStyle.C4
(override by callingDiagramOptions.withStyle(DiagramStyle.UML)
) -
The module canvas hides non exposed types by default. To include application-module-internal types in the canvas, configure
CanvasOptions
to….revealInternals()
. -
The output folder for component diagrams and application module canvases has moved from
moduliths-docs
tospring-modulith-docs
located in your build’s target folder (such astarget
for Maven).
Appendix B: Spring Modulith modules
Starter | Typical scope | Includes |
---|---|---|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
Module | Typical scope | Description |
---|---|---|
|
|
A Spring Boot actuator to expose the application module structure via an actuator. |
|
|
The abstractions to be used in your production code to customize Spring Modulith’s default behavior. |
|
|
The core application module model and API. |
|
|
The |
|
|
The core implementation of the event publication registry as well as the integration abstractions |
|
|
A Jackson-based implementation of the |
|
|
A JDBC-based implementation of the |
|
|
A JPA-based implementation of the |
|
|
A MongoDB-based implementation of the |
|
|
The Passage of Time events implementation described here. |
|
|
Support to bootstrap an |
|
|
Observability infrastructure described here. |
Appendix C: Event publication registry schemas
The JDBC-based event publication registry support expects the following database schemas to be present in the database.
If you would like Spring Modulith to create the schema for you, set the application property spring.modulith.events.jdbc-schema-initialization.enabled
to true
.
9.C.1. H2
CREATE TABLE IF NOT EXISTS EVENT_PUBLICATION
(
ID UUID NOT NULL,
COMPLETION_DATE TIMESTAMP(9) WITH TIME ZONE,
EVENT_TYPE VARCHAR(512) NOT NULL,
LISTENER_ID VARCHAR(512) NOT NULL,
PUBLICATION_DATE TIMESTAMP(9) WITH TIME ZONE NOT NULL,
SERIALIZED_EVENT VARCHAR(4000) NOT NULL,
PRIMARY KEY (ID)
)
9.C.2. HSQLDB
CREATE TABLE IF NOT EXISTS EVENT_PUBLICATION
(
ID UUID NOT NULL,
COMPLETION_DATE TIMESTAMP(9),
EVENT_TYPE VARCHAR(512) NOT NULL,
LISTENER_ID VARCHAR(512) NOT NULL,
PUBLICATION_DATE TIMESTAMP(9) NOT NULL,
SERIALIZED_EVENT VARCHAR(4000) NOT NULL,
PRIMARY KEY (ID)
)
9.C.3. MySQL
CREATE TABLE IF NOT EXISTS EVENT_PUBLICATION
(
ID VARCHAR(36) NOT NULL,
LISTENER_ID VARCHAR(512) NOT NULL,
EVENT_TYPE VARCHAR(512) NOT NULL,
SERIALIZED_EVENT VARCHAR(4000) NOT NULL,
PUBLICATION_DATE TIMESTAMP(6) NOT NULL,
COMPLETION_DATE TIMESTAMP(6) DEFAULT NULL NULL,
PRIMARY KEY (ID)
)