Deleting Documents

You can register document deletions with an active IDocumentSession by either the document itself or just by the document id to avoid having to fetch a document from the database just to turn around and delete it. Keep in mind that using any of the methods around deleting a document or specifying a criteria for deleting documents in an IDocumentSession, you're really just queueing up a pending operation to the current IDocumentSession that is executed in a single database transaction by calling the IDocumentSession.SaveChanges()/SaveChangesAsync() method.

As explained later in this page, Marten supports both "hard" deletes where the underlying database row is permanently deleted and "soft" deletes where the underlying database row is just marked as deleted with a timestamp.

Delete a Single Document by Id

A single document can be deleted by either telling Marten the identity and the document type as shown below:

internal Task DeleteByDocumentId(IDocumentSession session, Guid userId)
{
    // Tell Marten the type and identity of a document to
    // delete
    session.Delete<User>(userId);

    return session.SaveChangesAsync();
}

snippet source | anchor

Delete by Document

If you already have a document in memory and determine that you want that document to be deleted, you can pass that document directly to IDocumentSession.Delete<T>(T document) as shown below:

public Task DeleteByDocument(IDocumentSession session, User user)
{
    session.Delete(user);
    return session.SaveChangesAsync();
}

snippet source | anchor

Delete by Criteria

Marten also provides the ability to delete any documents of a certain type meeting a Linq expression using the IDocumentSession.DeleteWhere<T>() method:

theSession.DeleteWhere<Target>(x => x.Double == 578);

theSession.SaveChanges();

snippet source | anchor

A couple things to note:

  1. The actual Sql command to delete documents by a query is not executed until IDocumentSession.SaveChanges() is called
  2. The bulk delete command runs in the same batched sql command and transaction as any other document updates or deletes in the session

Soft Deletes

You can opt into using "soft deletes" for certain document types. Using this option means that documents are never actually deleted out of the database. Rather, a mt_deleted field is marked as true and a mt_deleted_at field is updated with the transaction timestamp. If a document type is "soft deleted," Marten will automatically filter out documents marked as deleted unless you explicitly state otherwise in the Linq Where clause.

Configuring a Document Type as Soft Deleted

You can direct Marten to make a document type soft deleted by either marking the class with an attribute:

[SoftDeleted]
public class SoftDeletedDoc
{
    public Guid Id;
}

snippet source | anchor

Or by using the fluent interface off of StoreOptions:

DocumentStore.For(_ =>
{
    _.Schema.For<User>().SoftDeleted();
});

snippet source | anchor

With Marten v4.0, you can also opt into soft-deleted mechanics by having your document type implement the Marten ISoftDeleted interface as shown below:

public class MySoftDeletedDoc: ISoftDeleted
{
    // Always have to have an identity of some sort
    public Guid Id { get; set; }

    // Is the document deleted? From ISoftDeleted
    public bool Deleted { get; set; }

    // When was the document deleted? From ISoftDeleted
    public DateTimeOffset? DeletedAt { get; set; }
}

snippet source | anchor

More on ISoftDeleted in a later section on exposing soft-deleted metadata directly on documents.

Also starting in Marten v4.0, you can also say globally that you want all document types to be soft-deleted unless explicitly configured otherwise like this:

internal void AllDocumentTypesShouldBeSoftDeleted()
{
    using var store = DocumentStore.For(opts =>
    {
        opts.Connection("some connection string");
        opts.Policies.AllDocumentsSoftDeleted();
    });
}

snippet source | anchor

Querying a "Soft Deleted" Document Type

By default, Marten quietly filters out documents marked as deleted from Linq queries as demonstrated in this acceptance test from the Marten codebase:

[Fact]
public void query_soft_deleted_docs()
{
    var user1 = new User { UserName = "foo" };
    var user2 = new User { UserName = "bar" };
    var user3 = new User { UserName = "baz" };
    var user4 = new User { UserName = "jack" };

    using (var session = theStore.OpenSession())
    {
        session.Store(user1, user2, user3, user4);
        session.SaveChanges();

        // Deleting 'bar' and 'baz'
        session.DeleteWhere<User>(x => x.UserName.StartsWith("b"));
        session.SaveChanges();

        // no where clause, deleted docs should be filtered out
        session.Query<User>().OrderBy(x => x.UserName).Select(x => x.UserName)
            .ToList().ShouldHaveTheSameElementsAs("foo", "jack");

        // with a where clause
        session.Query<User>().Where(x => x.UserName != "jack")
        .ToList().Single().UserName.ShouldBe("foo");
    }
}

snippet source | anchor

The SQL generated for the first call to Query<User>() above would be:

select d.data ->> 'UserName' from public.mt_doc_user as d where mt_deleted = False order by d.data ->> 'UserName'

Fetching All Documents, Deleted or Not

You can include deleted documents with Marten's MaybeDeleted() method in a Linq Where clause as shown in this acceptance tests:

[Fact]
public void query_maybe_soft_deleted_docs()
{
    var user1 = new User { UserName = "foo" };
    var user2 = new User { UserName = "bar" };
    var user3 = new User { UserName = "baz" };
    var user4 = new User { UserName = "jack" };

    using (var session = theStore.OpenSession())
    {
        session.Store(user1, user2, user3, user4);
        session.SaveChanges();

        session.DeleteWhere<User>(x => x.UserName.StartsWith("b"));
        session.SaveChanges();

        // no where clause, all documents are returned
        session.Query<User>().Where(x => x.MaybeDeleted()).OrderBy(x => x.UserName).Select(x => x.UserName)
            .ToList().ShouldHaveTheSameElementsAs("bar", "baz", "foo", "jack");

        // with a where clause, all documents are returned
        session.Query<User>().Where(x => x.UserName != "jack" && x.MaybeDeleted())
            .OrderBy(x => x.UserName)
            .ToList()
            .Select(x => x.UserName)
            .ShouldHaveTheSameElementsAs("bar", "baz", "foo");
    }
}

snippet source | anchor

Fetching Only Deleted Documents

You can also query for only documents that are marked as deleted with Marten's IsDeleted() method as shown below:

[Fact]
public void query_is_soft_deleted_docs()
{
    var user1 = new User { UserName = "foo" };
    var user2 = new User { UserName = "bar" };
    var user3 = new User { UserName = "baz" };
    var user4 = new User { UserName = "jack" };

    using (var session = theStore.OpenSession())
    {
        session.Store(user1, user2, user3, user4);
        session.SaveChanges();

        session.DeleteWhere<User>(x => x.UserName.StartsWith("b"));
        session.SaveChanges();

        // no where clause
        session.Query<User>().Where(x => x.IsDeleted()).OrderBy(x => x.UserName).Select(x => x.UserName)
            .ToList().ShouldHaveTheSameElementsAs("bar", "baz");

        // with a where clause
        session.Query<User>().Where(x => x.UserName != "baz" && x.IsDeleted())
            .OrderBy(x => x.UserName)
            .ToList()
            .Select(x => x.UserName)
            .Single().ShouldBe("bar");
    }
}

snippet source | anchor

Fetching Documents Deleted Before or After a Specific Time

To search for documents that have been deleted before a specific time use Marten's DeletedBefore(DateTimeOffset) method and the counterpart DeletedSince(DateTimeOffset) as show below:

[Fact]
public void query_is_soft_deleted_since_docs()
{
    var user1 = new User { UserName = "foo" };
    var user2 = new User { UserName = "bar" };
    var user3 = new User { UserName = "baz" };
    var user4 = new User { UserName = "jack" };

    using (var session = theStore.OpenSession())
    {
        session.Store(user1, user2, user3, user4);
        session.SaveChanges();

        session.Delete(user3);
        session.SaveChanges();

        var epoch = session.MetadataFor(user3).DeletedAt;
        session.Delete(user4);
        session.SaveChanges();

        session.Query<User>().Where(x => x.DeletedSince(epoch.Value)).Select(x => x.UserName)
            .ToList().ShouldHaveTheSameElementsAs("jack");
    }
}

snippet source | anchor

_Neither DeletedSince nor DeletedBefore are inclusive searches as shown_below:

internal void AllDocumentTypesShouldBeSoftDeleted()
{
    using var store = DocumentStore.For(opts =>
    {
        opts.Connection("some connection string");
        opts.Policies.AllDocumentsSoftDeleted();
    });
}

snippet source | anchor

Undoing Soft-Deleted Documents

New in Marten v4.0 is a mechanism to mark any soft-deleted documents matching a supplied criteria as not being deleted. The only usage so far is using a Linq expression as shown below:

internal Task UndoDeletion(IDocumentSession session, Guid userId)
{
    // Tell Marten the type and identity of a document to
    // delete
    session.UndoDeleteWhere<User>(x => x.Id == userId);

    return session.SaveChangesAsync();
}

snippet source | anchor

Explicit Hard Deletes

New in v4.0 is the ability to force Marten to perform hard deletes even on document types that are normally soft-deleted:

internal void ExplicitlyHardDelete(IDocumentSession session, User document)
{
    // By document
    session.HardDelete(document);

    // By type and identity
    session.HardDelete<User>(document.Id);

    // By type and criteria
    session.HardDeleteWhere<User>(x => x.Roles.Contains("admin"));

    // And you still have to call SaveChanges()/SaveChangesAsync()
    // to actually perform the operations
}

snippet source | anchor

Deletion Metadata on Documents

The easiest way to expose the metadata about whether or not a document is deleted and when it was deleted is to implement the ISoftDeleted interface as shown in this sample document:

sample_implementing_ISoftDeleted

Implementing ISoftDeleted on your document means that:

  • The IsDeleted and DeletedAt properties will reflect the database state any time you load a document of a type that is configured as soft-deleted
  • Those same properties will be updated when you delete a document that is in memory if you call IDocumentSession.Delete<T>(T document)

Any document type that implements ISoftDeleted will automatically be configured as soft-deleted by Marten when a DocumentStore is initialized.

Now, if you don't want to couple your document types to Marten by implementing that interface, you're still in business. Let's say you have this document type:

public class ASoftDeletedDoc
{
    // Always have to have an identity of some sort
    public Guid Id { get; set; }

    public bool IsDeleted { get; set; }

    public DateTimeOffset? DeletedWhen { get; set; }
}

snippet source | anchor

You can manually -- and independently -- map the IsDeleted and DeletedWhen properties on your document type to the Marten metadata like this:

using var store = DocumentStore.For(opts =>
{
    opts.Connection("some connection string");

    opts.Schema.For<ASoftDeletedDoc>().Metadata(m =>
    {
        m.IsSoftDeleted.MapTo(x => x.IsDeleted);
        m.SoftDeletedAt.MapTo(x => x.DeletedWhen);
    });
});

snippet source | anchor