Our subdomain has two primary aggregate types: Locations and pallets. Each location keeps track of how many pallets it holds, and each pallet can only be placed on one location at a time. Assume that there are many instances of each type and their associations change often, so it is not feasible to put all of them into one common parent aggregate.
Consider this solution (only domain model shown):
public class Pallet : Aggregate
{
public int LocationId { get; private set; }
public void PlaceOnLocation(int locationId)
{
this.LocationId = locationId;
this.emitDomainEvent(
new PalletPlacedOnLocationDomainEvent(this.Id, locationId)
);
}
}
public class Location : Aggregate
{
public int Load { get; private set; } = 0;
public void OnPalletPlaced(PalletPlacedOnLocationDomainEvent event)
{
if (event.LocationId != this.Id) throw ArgumentException(); // Precondition
this.Load++;
}
}
Not shown here are the application layer handlers that handle transactions as well as load and save the aggregates.
Note that instead of OnPalletPlaced(...)
I could have used an IncreaseLoad()
method on the location. In this case, however, I would have introduced two issues:
Leaked the relationship between the domain event and its effect from the domain layer to the application layer.
Opened up the possibility for another (illegal) use case that increases the load without actually placing a pallet on that location.
Is it a valid approach to handle domain events directly in the aggregate like this?
An aggregate has the responsibility of maintaining the invariants required by the business logic (e.g. limits on how many pallets are in a given location or a prohibition on pallets containing certain items from being placed in a given location).
However, a domain event represents a fact about the world which the aggregate cannot deny (an aggregate could ignore events if they have no meaning to it (which is not a question of validation, but of the type of event: the aggregate's current state cannot enter into it)). If an aggregate handles domain events, it therefore should do so unconditionally: if the business rule the location aggregate enforces is that there cannot be more than 20 pallets in a location, then a domain event which effectively leads to there being 20 thousand pallets in a location means that you have 20 thousand pallets in that location. In short, this means that the only domain events which should be handled as domain events by an aggregate are those domain events which were validated against the aggregate before they were emitted. It's only really in event-sourcing or event-sourcing-adjacent approaches where you would see domain events being processed in the context of an aggregate.
This doesn't preclude recognizing that one component's event can be another component's command. The domain event could be treated as a command and be rejected or itself result in more domain events (e.g. "there are too many pallets in location XYZ!").