DocumentStorage.Infrastructure.LiteDb
1.0.3
See the version list below for details.
dotnet add package DocumentStorage.Infrastructure.LiteDb --version 1.0.3
NuGet\Install-Package DocumentStorage.Infrastructure.LiteDb -Version 1.0.3
<PackageReference Include="DocumentStorage.Infrastructure.LiteDb" Version="1.0.3" />
paket add DocumentStorage.Infrastructure.LiteDb --version 1.0.3
#r "nuget: DocumentStorage.Infrastructure.LiteDb, 1.0.3"
// Install DocumentStorage.Infrastructure.LiteDb as a Cake Addin #addin nuget:?package=DocumentStorage.Infrastructure.LiteDb&version=1.0.3 // Install DocumentStorage.Infrastructure.LiteDb as a Cake Tool #tool nuget:?package=DocumentStorage.Infrastructure.LiteDb&version=1.0.3
DocumentStorage: A Simple Wrapper for EF Core and LiteDb
DocumentStorage is a versatile .NET library designed to simplify data storage and management using Entity Framework Core (EF Core) and LiteDB. By providing a common base model for both parent and child records, DocumentStorage allows developers to structure their data in a document-like manner, similar to NoSQL systems, while also supporting relational data scenarios.
This library abstracts the complexities of interacting with EF Core and LiteDB, enabling seamless CRUD operations through a unified repository interface. With features like built-in data validation, indexing, and encryption, DocumentStorage offers a comprehensive solution for applications that require efficient data handling.
Whether you are building a new application or enhancing an existing one, DocumentStorage empowers you to leverage the strengths of both EF Core and LiteDB, allowing for flexible and efficient data management tailored to your project’s needs.
Table of Contents
- DocumentStorage: A Simple Wrapper for EF Core and LiteDb
Features
- Common base model for parent and child records.
- Integration with EF Core and LiteDb.
- Simplified CRUD operations via IDsRepository.
- Support for encryption, indexing, and validation.
Installation
To install DocumentStorage in your project, you can use the following NuGet command for the library:
dotnet add package DocumentStorage.Infrastructure.EntityFramework
dotnet add package DocumentStorage.Infrastructure.LiteDb
Installing the top level package will also install the shared libraries used by both: DocumentStorage.Infrastructure
and DocumentStorage.Domain
If using DocumentStorage.Infrastructure.EntityFramework
you will also need to install the corresponding EF Core package for your target system. See here for more details.
Configuration
Entity Framework
using DocumentStorage.Infrastructure.EntityFramework;
using Microsoft.EntityFrameworkCore;
using Microsoft.Extensions.Hosting;
var host = Host.CreateApplicationBuilder(args);
host.AddDocumentStorage<FooDbContext>(o =>
{
o.UseSqlServer(@"Server=.\SQLEXPRESS;Database=MyDb;Trusted_Connection=True;");
});
LiteDB
using DocumentStorage.Infrastructure.LiteDb;
using Microsoft.EntityFrameworkCore;
using Microsoft.Extensions.Hosting;
var host = Host.CreateApplicationBuilder(args);
host.AddDocumentStorage<FooDbContext>(o =>
{
o.Filename = @"D:\MyLiteDbs";
});
The AddDocumentStorage<>
method has the following parameters, all of which are optional:
- optionsAction: An action to configure the options for the context.
- autoMapRepositories: A flag to automatically add the repositories in your app to the DI container.
- encryptionProvider: A custom
IEncryptionProvider
used for encryption/decryption. - contextLifetime: The service lifetime to register the context as.
- optionsLifetime: The service lifetime to register the options as.
Usage
Entity Framework
Context
using DocumentStorage.Infrastructure.EntityFramework;
public class FooDbContext : EntityFrameworkDbContext
{
public DbSet<Foo> Foos { get; set; }
public DbSet<Widget> Widgets { get; set; }
public FooDbContext(DbContextOptions options, IEncryptionProvider encryptionService) : base(options, encryptionService) { }
}
Repository
using DocumentStorage.Infrastructure;
using DocumentStorage.Infrastructure.EntityFramework;
// Optional: Can define interface per repository
public interface IFooRepository : IDsRepository<Foo>
{
Task<Foo> GetBySsn(string ssn);
}
public class FooRepository : EntityFrameworkRepository<Foo, FooDbContext>, IFooRepository
{
public FooRepository(FooDbContext context) : base(context) { }
public async Task<Foo?> GetBySsn(string ssn)
{
if (string.IsNullOrWhiteSpace(ssn)) throw new ArgumentNullException(nameof(ssn));
return (await FindAsync(x => x.Ssn == ssn)).SingleOrDefault(a => a.Ssn == ssn);
}
public override IQueryable<Foo> IncludeChildren(IQueryable<Foo> query) => query
.Include(foo => foo.AllBars)
.ThenInclude(bar => bar.RequiredChild)
.Include(foo => foo.AllBars)
.ThenInclude(bar => bar.OptionalChild);
}
LiteDB
Context
using DocumentStorage.Infrastructure.LiteDb;
public class FooDbContext : LiteDbContext
{
public LiteSet<Foo> Foos { get; set; }
public LiteSet<Widget> Widgets { get; set; }
public FooDbContext(LiteDbContextOptions options, IEncryptionProvider encryptionService) : base(options, encryptionService) { }
}
Repository
using DocumentStorage.Infrastructure;
using DocumentStorage.Infrastructure.LiteDb;
// Optional: Can define interface per repository
public interface IFooRepository : IDsRepository<Foo>
{
Task<Foo> GetBySsn(string ssn);
}
public class FooRepository : LiteDbRepository<Foo, FooDbContext>, IFooRepository
{
public FooRepository(FooDbContext context) : base(context) { }
public async Task<Foo?> GetBySsn(string ssn)
{
if (string.IsNullOrWhiteSpace(ssn)) throw new ArgumentNullException(nameof(ssn));
return (await FindAsync(x => x.Ssn == ssn)).SingleOrDefault(a => a.Ssn == ssn);
}
}
Model
[DsIndexGuids]
public class Foo : DsDbRecordBase
{
[StringLength(200)]
[DsCreateIndex]
public string FooName { get; set; }
[DsEncryptedColumn(true)]
public string Ssn { get; set; }
[DsEncryptedColumn]
public string Birthday { get; set; }
public Guid BestBarId { get; set; }
public Guid? WidgetRef { get; set; }
public List<Bar> AllBars { get; set; }
[NotMapped]
public Widget Widget { get; set; }
}
public class Bar : DsRecordBase
{
[StringLength(200)]
public string BarName { get; set; }
[Required]
public Child RequiredChild { get; set; }
public Child? OptionalChild { get; set; }
}
public class Child : DsRecordBase
{
[StringLength(200)]
public string Name { get; set; }
}
public class Widget : DsDbRecordBase
{
public string Name { get; set; }
}
Top-level parent models inherit from DsDbRecordBase
while child models inherit from DsRecordBase
.
Data Operations
Repository classes inherit from either EntityFrameworkRepository<TRecord, TContext>
or LiteDbRepository<TRecord, TContext>
. These base abstract classes all inherit from IDsRepository<TRecord>
interface with the following methods:
public interface IDsRepository<TRecord>
where TRecord : class, IDsDbRecord
{
Task<bool> DeleteAsync(Guid id);
Task<IEnumerable<TRecord>> FindAsync(Expression<Func<TRecord, bool>> request);
Task<TRecord> GetAsync(Guid id);
Task InitializeAsync();
bool IsDuplicate(IDsUniqueDbRecord record);
Task UpsertAsync(TRecord record);
event DsRecordEventHandler<TRecord> AfterRecordUpserted;
event DsRecordEventHandler<TRecord> AfterRecordDeleted;
}
Since this is a document-like structure, all interactions are handled at the parent level. So to change a child entry do the following:
- Retrieve the parent entity.
- Modify the child.
- Upsert the modified entity.
public async Task ModifyChild()
{
Foo foo = await _repository.GetAsync(TestFoo.Id);
foo.AllBars.FirstOrDefault(b => b.Id == foo.BestBarId).BarName = "test";
await _repository.UpsertAsync(foo);
}
Searching can be done utilizing the FindAsync()
method. This takes any valid LINQ query which is passed to the provider framework to retrieve an IEnumerable<T>
.
public async Task GetFoosByBarName()
{
var foos = await _repository.FindAsync(a => a.AllBars.Select(b => b.BarName).Any(b => b == "Bar2"));
}
DataGrid Functionality
The optional DataGrid packages provide easy search functionality via a simple request/response model. This is easily mapped to 3rd party providers such as Tabulator.
Installation
To install DocumentStorage.DataGrid in your project, you can use the following NuGet command for the library:
dotnet add package DocumentStorage.DataGrid.EntityFrameworkConnector
dotnet add package DocumentStorage.DataGrid.LiteDbConnector
Installing the top level package will also install the shared library used by both: DocumentStorage.DataGrid
Request/Response
The following models are used to create the request that is passed to the IDataGridQueryService
and the corresponding response:
public class DataGridRequest<T>
{
public virtual List<FilterClause> Filters { get; set; } = new();
public int Limit { get; set; }
public int Skip { get; set; }
public List<SortClause> Sorters { get; set; } = new();
}
public class DataGridResponse<T>
{
public IEnumerable<T> Data { get; set; }
public int TotalRecordCount { get; set; }
public int TotalPageCount { get; set; }
}
IDataGridQueryService
Each package has it's own implementation of IDataGridQueryService
:
- EntityFramework: EntityFrameworkDataGridQueryService
- LiteDB: LiteDbDataGridQueryService
These can be manually implemented or you can utilize the extended Repository classes that handle the QueryService via DI automatically:
- EntityFramework: EntityFrameworkDataGridRepository<TRecord, TContext>
- LiteDB: LiteDbDataGridRepository<TRecord, TContext>
Usage
public async Task DataGridGetPersonByName()
{
DataGridResponse<Person> response = await _dataGridQueryService.QueryAsync(
new DataGridRequest<Person>()
{
Filters = new List<FilterClause>()
{
new(nameof(Person.Name), FilterType.Equals, Person1.Name)
},
Sorters = new List<SortClause>()
{
new(nameof(Person.Name), SortDirection.Ascending)
}
});
List<Person> people = response.Data.ToList();
}
Multiple filters are treated as logical AND
.
If multiple sorters are provided, the framework applies them in order as a ThenBy
Versioning and Compatibility
DocumentStorage is built to be compatible with .NET Core versions 6.0 and 8.0, utilizing the latest features and improvements in both Entity Framework Core and LiteDB. The following versions are supported:
- .NET 6.0
- EF Core: 7.0.20
- LiteDB: 5.0.21
- .NET 8.0
- EF Core: 8.0.8
- LiteDB: 5.0.21
Additional Features
Indexing
There are 2 options for defining indexes; DsIndexGuidsAttribute
and DsCreateIndexAttribute
.
The DsIndexGuidsAttribute
is applied at the class level and will create an index on all fields of type GUID
. This is helpful for reference fields to facilitate reverse lookups.
[DsIndexGuids]
public class Foo : DsDbRecordBase
The DsCreateIndexAttribute
is applied at the property level. This option supports multiple columns and include columns via properties defined in the attribute. If multiple attributes are defined with the same name, you must indicate an order
that the columns will be indexed in.
public class Foo : DsDbRecordBase
{
[DsCreateIndex]
public string FooName { get; set; }
[DsCreateIndex("MyIndex", 0)]
public DateTimeOffset FooDate { get; set; }
[DsCreateIndex("MyIndex", 1)]
public string FooNote { get; set; }
[DsCreateIndex("MyIncludeIndex", new string[] { nameof(FooName), nameof(FooNote) })]
public Guid BestBarId { get; set; }
}
Encryption
Encryption is automatically enabled by default utilizing a DefaultEncryptionProvider
that implements IEncryptionProvider
. This utilizes RSA encryption for normal and an RSA encrypted AES key for Deterministic encryption if the field needs to be searchable.
The DsEncryptedColumnAttribute
is applied at the property level with an optional bool field to flag if the field needs to be searchable.
public class Foo : DsDbRecordBase
{
[DsEncryptedColumn(true)]
public string Ssn { get; set; }
[DsEncryptedColumn]
public string Birthday { get; set; }
}
License
DocumentStorage is licensed under the GPL License. See the LICENSE for more information.
Contributing
Contributions are always welcome! Feel free to open an issue or submit a pull request.
Product | Versions Compatible and additional computed target framework versions. |
---|---|
.NET | net6.0 is compatible. net6.0-android was computed. net6.0-ios was computed. net6.0-maccatalyst was computed. net6.0-macos was computed. net6.0-tvos was computed. net6.0-windows was computed. net7.0 was computed. net7.0-android was computed. net7.0-ios was computed. net7.0-maccatalyst was computed. net7.0-macos was computed. net7.0-tvos was computed. net7.0-windows was computed. net8.0 is compatible. net8.0-android was computed. net8.0-browser was computed. net8.0-ios was computed. net8.0-maccatalyst was computed. net8.0-macos was computed. net8.0-tvos was computed. net8.0-windows was computed. |
-
net6.0
- DocumentStorage.Infrastructure (>= 1.0.3)
- LiteDB (>= 5.0.21)
-
net8.0
- DocumentStorage.Infrastructure (>= 1.0.3)
- LiteDB (>= 5.0.21)
NuGet packages (1)
Showing the top 1 NuGet packages that depend on DocumentStorage.Infrastructure.LiteDb:
Package | Downloads |
---|---|
DocumentStorage.DataGrid.LiteDbConnector
Common LiteDb models and interfaces used for Document Storage DataGrid |
GitHub repositories
This package is not used by any popular GitHub repositories.