Bootstrapping with HostBuilder
As briefly shown in the getting started page, Marten comes with extension methods for the .Net Core standard IServiceCollection
to quickly add Marten services to any .Net application that is bootstrapped by either the Generic IHostBuilder abstraction or the ASP.Net Core IWebHostBuilder hosting models.
Jumping right into a basic ASP.NET Core application using the out of the box Web API template, you'd have a class called Startup
that holds most of the configuration for your application including the IoC service registrations for your application in the Startup.ConfigureServices()
method. To add Marten to your application, use the AddMarten()
method as shown below:
public void ConfigureServices(IServiceCollection services)
{
// This is the absolute, simplest way to integrate Marten into your
// .Net Core application with Marten's default configuration
services.AddMarten(options =>
{
// Establish the connection string to your Marten database
options.Connection(Configuration.GetConnectionString("Marten"));
// If we're running in development mode, let Marten just take care
// of all necessary schema building and patching behind the scenes
if (Environment.IsDevelopment())
{
options.AutoCreateSchemaObjects = AutoCreate.All;
}
});
}
// and other methods we don't care about right now...
The AddMarten()
method will add these service registrations to your application:
IDocumentStore
with a Singleton lifetime. The document store can be used to create sessions, query the configuration of Marten, generate schema migrations, and do bulk inserts.IDocumentSession
with a Scoped lifetime for all read and write operations. By default, this is done with theIDocumentStore.OpenSession()
method and the session created will have the identity map behaviorIQuerySession
with a Scoped lifetime for all read operations against the document store.
For more information, see:
- Dependency injection in ASP.NET Core for more explanation about the service lifetime behavior.
- Check identity map mechanics for an explanation of Marten session behavior
- Check storing documents and unit of work for session basics
AddMarten() Options
INFO
All the examples in this page are assuming the usage of the default IoC container Microsoft.Extensions.DependencyInjection
, but Marten can be used with any IoC container or with no IoC container whatsoever.
First, if you are using Marten completely out of the box with no customizations (besides attributes on your documents), you can just supply a connection string to the underlying Postgresql database like this:
public class Startup
{
public Startup(IConfiguration configuration)
{
Configuration = configuration;
}
public IConfiguration Configuration { get; }
public void ConfigureServices(IServiceCollection services)
{
var connectionString = Configuration.GetConnectionString("postgres");
// By only the connection string
services.AddMarten(connectionString);
}
// And other methods we don't care about here...
}
The second option is to supply a nested closure to configure Marten inline like so:
public class Startup
{
public IConfiguration Configuration { get; }
public IHostEnvironment Hosting { get; }
public Startup(IConfiguration configuration, IHostEnvironment hosting)
{
Configuration = configuration;
Hosting = hosting;
}
public void ConfigureServices(IServiceCollection services)
{
var connectionString = Configuration.GetConnectionString("postgres");
services.AddMarten(opts =>
{
opts.Connection(connectionString);
// Use the more permissive schema auto create behavior
// while in development
if (Hosting.IsDevelopment())
{
opts.AutoCreateSchemaObjects = AutoCreate.All;
}
});
}
// And other methods we don't care about here...
}
Lastly, if you prefer, you can pass a Marten StoreOptions
object to AddMarten()
like this example:
public class Startup
{
public IConfiguration Configuration { get; }
public IHostEnvironment Hosting { get; }
public Startup(IConfiguration configuration, IHostEnvironment hosting)
{
Configuration = configuration;
Hosting = hosting;
}
public void ConfigureServices(IServiceCollection services)
{
var options = BuildStoreOptions();
services.AddMarten(options);
}
private StoreOptions BuildStoreOptions()
{
var connectionString = Configuration.GetConnectionString("postgres");
// Or lastly, build a StoreOptions object yourself
var options = new StoreOptions();
options.Connection(connectionString);
// Use the more permissive schema auto create behavior
// while in development
if (Hosting.IsDevelopment())
{
options.AutoCreateSchemaObjects = AutoCreate.All;
}
return options;
}
// And other methods we don't care about here...
}
The last option may be best for more complicated Marten configuration just to keep the configuration code cleaner as Startup
classes can become convoluted.
Using Lightweight Sessions
TIP
Most usages of Marten should default to the lightweight sessions for better performance
The default registration for IDocumentSession
added by AddMarten()
is a session with identity map mechanics. That might be unnecessary overhead in most cases where the sessions are short-lived, but we keep this behavior for backward compatibility with early Marten and RavenDb behavior before that. To opt into using lightweight sessions without the identity map behavior, use this syntax:
public class Startup
{
public Startup(IConfiguration configuration, IHostEnvironment hosting)
{
Configuration = configuration;
Hosting = hosting;
}
public IConfiguration Configuration { get; }
public IHostEnvironment Hosting { get; }
public void ConfigureServices(IServiceCollection services)
{
var connectionString = Configuration.GetConnectionString("postgres");
services.AddMarten(opts =>
{
opts.Connection(connectionString);
})
// Chained helper to replace the built in
// session factory behavior
.UseLightweightSessions();
}
// And other methods we don't care about here...
}
Customizing Session Creation Globally
By default, Marten will create a document session with the basic identity map enabled and a ReadCommitted transaction isolation level. If you want to use a different configuration for sessions globally in your application, you can use a custom implementation of the ISessionFactory
class as shown in this example:
public class CustomSessionFactory: ISessionFactory
{
private readonly IDocumentStore _store;
// This is important! You will need to use the
// IDocumentStore to open sessions
public CustomSessionFactory(IDocumentStore store)
{
_store = store;
}
public IQuerySession QuerySession()
{
return _store.QuerySession();
}
public IDocumentSession OpenSession()
{
// Opting for the "lightweight" session
// option with no identity map tracking
// and choosing to use Serializable transactions
// just to be different
return _store.LightweightSession(IsolationLevel.Serializable);
}
}
To register the custom session factory, use the BuildSessionsWith()
method as shown in this example:
public class Startup
{
public Startup(IConfiguration configuration, IHostEnvironment hosting)
{
Configuration = configuration;
Hosting = hosting;
}
public IConfiguration Configuration { get; }
public IHostEnvironment Hosting { get; }
public void ConfigureServices(IServiceCollection services)
{
var connectionString = Configuration.GetConnectionString("postgres");
services.AddMarten(opts =>
{
opts.Connection(connectionString);
// Use the more permissive schema auto create behavior
// while in development
if (Hosting.IsDevelopment())
{
opts.AutoCreateSchemaObjects = AutoCreate.All;
}
})
// Chained helper to replace the built in
// session factory behavior
.BuildSessionsWith<CustomSessionFactory>();
}
// And other methods we don't care about here...
}
The session factories can also be used to build out and attach custom IDocumentSessionListener
objects or replace the logging as we'll see in the next section.
See diagnostics and instrumentation for more information.
Customizing Session Creation by Scope
From a recent user request to Marten, what if you want to log the database statement activity in Marten with some kind of correlation to the active HTTP request or service bus message or some other logical session identification in your application? That's now possible by using a custom ISessionFactory
.
Taking the example of an ASP.NET Core application, let's say that you have a small service scoped to an HTTP request that tracks a correlation identifier for the request like this:
public interface ISession
{
Guid CorrelationId { get; set; }
}
And a custom Marten session logger to add the correlation identifier to the log output like this:
public class CorrelatedMartenLogger: IMartenSessionLogger
{
private readonly ILogger<IDocumentSession> _logger;
private readonly ISession _session;
public CorrelatedMartenLogger(ILogger<IDocumentSession> logger, ISession session)
{
_logger = logger;
_session = session;
}
public void LogSuccess(NpgsqlCommand command)
{
// Do some kind of logging using the correlation id of the ISession
}
public void LogFailure(NpgsqlCommand command, Exception ex)
{
// Do some kind of logging using the correlation id of the ISession
}
public void RecordSavedChanges(IDocumentSession session, IChangeSet commit)
{
// Do some kind of logging using the correlation id of the ISession
}
public void OnBeforeExecute(NpgsqlCommand command)
{
}
}
Now, let's move on to building out a custom session factory that will attach our correlated marten logger to sessions being resolved from the IoC container:
public class ScopedSessionFactory: ISessionFactory
{
private readonly IDocumentStore _store;
private readonly ILogger<IDocumentSession> _logger;
private readonly ISession _session;
// This is important! You will need to use the
// IDocumentStore to open sessions
public ScopedSessionFactory(IDocumentStore store, ILogger<IDocumentSession> logger, ISession session)
{
_store = store;
_logger = logger;
_session = session;
}
public IQuerySession QuerySession()
{
return _store.QuerySession();
}
public IDocumentSession OpenSession()
{
var session = _store.LightweightSession();
// Replace the Marten session logger with our new
// correlated marten logger
session.Logger = new CorrelatedMartenLogger(_logger, _session);
return session;
}
}
Lastly, let's register our new session factory, but this time we need to take care to register the session factory as Scoped
in the underlying container so we're using the correct ISession
at runtime:
public class Startup
{
public IConfiguration Configuration { get; }
public IHostEnvironment Hosting { get; }
public Startup(IConfiguration configuration, IHostEnvironment hosting)
{
Configuration = configuration;
Hosting = hosting;
}
public void ConfigureServices(IServiceCollection services)
{
var connectionString = Configuration.GetConnectionString("postgres");
services.AddMarten(opts =>
{
opts.Connection(connectionString);
// Use the more permissive schema auto create behavior
// while in development
if (Hosting.IsDevelopment())
{
opts.AutoCreateSchemaObjects = AutoCreate.All;
}
})
// Chained helper to replace the CustomSessionFactory
.BuildSessionsWith<ScopedSessionFactory>(ServiceLifetime.Scoped);
}
// And other methods we don't care about here...
}
TIP
This correlation tracking might be better with structural logging with something like Serilog, but we'll leave that to users.
Eager Initialization of the DocumentStore
Lastly, if desirable, you can force Marten to initialize the applications document store as part of bootstrapping instead of waiting for it to be initialized on the first usage with this syntax:
public class Startup
{
public Startup(IConfiguration configuration)
{
Configuration = configuration;
}
public IConfiguration Configuration { get; }
public void ConfigureServices(IServiceCollection services)
{
var connectionString = Configuration.GetConnectionString("postgres");
// By only the connection string
services.AddMarten(connectionString)
// Spin up the DocumentStore right this second!
.InitializeStore();
}
// And other methods we don't care about here...
}