This may be more of a general NOSQL infrastructure question.
With an event sourcing system I'm saving Event documents to ravendb.
In my domain model there are multiple types of events, an basic example below:
public abstract class Event
{
public Guid AggregateId { get; set; }
public Event(Guid aggregateId)
{
AggregateId = aggregateId;
}
}
public class NewPersonEvent : Event
{
public string Name { get; set; }
public NewPersonEvent(Guid id, string name) : Base(id)
{
Name = name;
}
}
public class NewOrderEvent : Event
{
public DateTime OrderDate { get; set; }
public double OrderCost { get; set;}
public NewOrderEvent(Guid id, DateTime date, double cost) : Base(id)
{
OrderDate = date;
OrderCost = cost;
}
}
An event is persisted as an Event document no matter what type of aggregate the event is from.
Is this the best approach to use one Document type in ravendb for all events. Or is there any benefits of grouping the document types per aggregate
Instead of having just 'Event' documents, to instead have 'PersonEvent' documents and 'OrderEvent' documents.
What are the pros and cons of each of the two approaches, specifically is there any performance issues?
Are you overriding the default tag name for events as...
Then whenever you do a query on
Event
it just works and retrieves all events.session.Query<Event>()
If so, you can shoot yourself in the foot because if you just want a subset of the events and you do this
session.Query<NewPersonEvent>()
it's going to retrieve all the events since you overrode the tag convention in the beginning. You can still do it another way but it wouldn't be as straight forward (e.g. having an enum for the event type and filter by the enum).I would vote to NOT override default RavenDB behavior, leave the different event types as their own doc collections, and simply use a multi-map index.
The Raven docs state that static indexes are preferred over dynamic indexes so it shouldn't be a performance concern. docs:
If you don't mess with the tag convention, but you could create more indexes for a sub-set of the events, create map/reduce indexes to aggregate counts per event type, and much more.
The index would be a multi-map index and you have 2 flavors you can choose from.
Option 1
Option 2 (Reflection)
Here's an example test using the
RavenDB.Tests.Helpers
andShouldly
NuGet packages. It's using the first example index but you can modify it to use the second as well.