DKNet.EfCore.Extensions
                              
                            
                                9.5.22
                            
                        
                    See the version list below for details.
dotnet add package DKNet.EfCore.Extensions --version 9.5.22
NuGet\Install-Package DKNet.EfCore.Extensions -Version 9.5.22
<PackageReference Include="DKNet.EfCore.Extensions" Version="9.5.22" />
<PackageVersion Include="DKNet.EfCore.Extensions" Version="9.5.22" />
<PackageReference Include="DKNet.EfCore.Extensions" />
paket add DKNet.EfCore.Extensions --version 9.5.22
#r "nuget: DKNet.EfCore.Extensions, 9.5.22"
#:package DKNet.EfCore.Extensions@9.5.22
#addin nuget:?package=DKNet.EfCore.Extensions&version=9.5.22
#tool nuget:?package=DKNet.EfCore.Extensions&version=9.5.22
DKNet.EfCore.Extensions
Enhanced Entity Framework Core functionality with automatic entity configuration, global query filters, data seeding, and advanced extension methods. This package streamlines EF Core setup and provides powerful utilities for entity management, pagination, and database operations.
Features
- Auto Entity Configuration: Automatic discovery and configuration of entities from assemblies
- Global Query Filters: Centralized query filter management for cross-cutting concerns
- Data Seeding: Structured data seeding with dependency injection support
- Default Entity Configuration: Base configuration for common entity patterns (audit, soft delete)
- Advanced Extensions: Table name resolution, primary key utilities, sequence generation
- Snapshot Context: Entity state tracking and change detection utilities
- Navigation Extensions: Enhanced navigation property management
- Pagination Support: Async enumeration and paging capabilities
Supported Frameworks
- .NET 9.0+
- Entity Framework Core 9.0+
- SQL Server (for sequence features)
Installation
Install via NuGet Package Manager:
dotnet add package DKNet.EfCore.Extensions
Or via Package Manager Console:
Install-Package DKNet.EfCore.Extensions
Quick Start
Auto Entity Configuration
using Microsoft.EntityFrameworkCore;
using DKNet.EfCore.Extensions;
public class AppDbContext : DbContext
{
    public AppDbContext(DbContextOptions<AppDbContext> options) : base(options) { }
    protected override void OnModelCreating(ModelBuilder modelBuilder)
    {
        // Automatically configure all entities from assemblies
        modelBuilder.UseAutoConfigModel<AppDbContext>(config =>
        {
            config.AddAssembly(typeof(Product).Assembly);
            config.AddAssembly(typeof(Customer).Assembly);
        });
        
        base.OnModelCreating(modelBuilder);
    }
}
// Configure in Startup/Program
services.AddDbContext<AppDbContext>(options =>
    options.UseSqlServer(connectionString)
           .UseAutoConfigModel<AppDbContext>());
Default Entity Configuration
using DKNet.EfCore.Extensions.Configurations;
using Microsoft.EntityFrameworkCore.Metadata.Builders;
public class ProductConfiguration : DefaultEntityTypeConfiguration<Product>
{
    public override void Configure(EntityTypeBuilder<Product> builder)
    {
        // Apply default configurations (Id, audit properties, etc.)
        base.Configure(builder);
        
        // Add custom configurations
        builder.Property(p => p.Name)
               .HasMaxLength(255)
               .IsRequired();
               
        builder.Property(p => p.Price)
               .HasPrecision(18, 2);
               
        builder.HasIndex(p => p.Sku)
               .IsUnique();
    }
}
Global Query Filters
using DKNet.EfCore.Extensions.Configurations;
public class SoftDeleteQueryFilter : IGlobalQueryFilterRegister
{
    public void RegisterFilters(ModelBuilder modelBuilder)
    {
        // Apply soft delete filter globally
        foreach (var entityType in modelBuilder.Model.GetEntityTypes())
        {
            if (typeof(ISoftDeletableEntity).IsAssignableFrom(entityType.ClrType))
            {
                var parameter = Expression.Parameter(entityType.ClrType, "e");
                var property = Expression.Property(parameter, nameof(ISoftDeletableEntity.IsDeleted));
                var condition = Expression.Equal(property, Expression.Constant(false));
                var lambda = Expression.Lambda(condition, parameter);
                
                modelBuilder.Entity(entityType.ClrType).HasQueryFilter(lambda);
            }
        }
    }
}
// Register in Startup
services.AddGlobalModelBuilderRegister<SoftDeleteQueryFilter>();
Configuration
Data Seeding Configuration
using DKNet.EfCore.Extensions.Configurations;
public class CategorySeedData : IDataSeedingConfiguration<Category>
{
    public async Task SeedAsync(DbContext context, IServiceProvider serviceProvider)
    {
        var repository = serviceProvider.GetRequiredService<ICategoryRepository>();
        
        if (!await repository.AnyAsync())
        {
            var categories = new[]
            {
                new Category("Electronics", "Electronic devices"),
                new Category("Books", "Books and publications"),
                new Category("Clothing", "Apparel and accessories")
            };
            
            await repository.AddRangeAsync(categories);
            await context.SaveChangesAsync();
        }
    }
}
// Apply seeding
await context.SeedDataAsync<Category>();
Entity Auto-Registration Options
services.AddDbContext<AppDbContext>(options =>
{
    options.UseSqlServer(connectionString)
           .UseAutoConfigModel<AppDbContext>(config =>
           {
               // Add specific assemblies
               config.AddAssembly(typeof(Product).Assembly);
               
               // Exclude specific entity types
               config.ExcludeEntity<TemporaryEntity>();
               
               // Configure naming conventions
               config.UseSnakeCaseNaming();
               config.UsePluralTableNames();
           });
});
API Reference
Core Extensions
- UseAutoConfigModel<TContext>()- Auto-configure entities from assemblies
- AddGlobalModelBuilderRegister<T>()- Register global query filters
- SeedDataAsync<TEntity>()- Perform structured data seeding
Entity Extensions
- GetTableName(Type)- Get schema-qualified table name for entity
- GetPrimaryKeyProperty(Type)- Extract primary key property information
- GetPrimaryKeyValue(object)- Get primary key value from entity instance
Sequence Extensions (SQL Server)
- GetNextSequenceValue(string)- Get next value from database sequence
- GetFormattedSequenceValue(string, string)- Get formatted sequence with prefix/suffix
Snapshot Extensions
- CreateSnapshot()- Create entity state snapshot for change tracking
- GetChanges(SnapshotContext)- Detect changes between snapshots
Advanced Usage
Custom Entity Configuration with Sequences
public class InvoiceConfiguration : DefaultEntityTypeConfiguration<Invoice>
{
    public override void Configure(EntityTypeBuilder<Invoice> builder)
    {
        base.Configure(builder);
        
        // Configure SQL sequence for invoice numbers
        builder.Property(i => i.InvoiceNumber)
               .HasDefaultValueSql("NEXT VALUE FOR invoice_number_seq");
               
        // Configure custom table and schema
        builder.ToTable("Invoices", "billing");
        
        // Configure relationships
        builder.HasMany(i => i.LineItems)
               .WithOne(li => li.Invoice)
               .HasForeignKey(li => li.InvoiceId)
               .OnDelete(DeleteBehavior.Cascade);
    }
}
Advanced Query Filter with User Context
public class TenantQueryFilter : IGlobalQueryFilterRegister
{
    private readonly IHttpContextAccessor _httpContextAccessor;
    
    public TenantQueryFilter(IHttpContextAccessor httpContextAccessor)
    {
        _httpContextAccessor = httpContextAccessor;
    }
    
    public void RegisterFilters(ModelBuilder modelBuilder)
    {
        var tenantId = GetCurrentTenantId();
        
        foreach (var entityType in modelBuilder.Model.GetEntityTypes())
        {
            if (typeof(ITenantEntity).IsAssignableFrom(entityType.ClrType))
            {
                var parameter = Expression.Parameter(entityType.ClrType, "e");
                var property = Expression.Property(parameter, nameof(ITenantEntity.TenantId));
                var condition = Expression.Equal(property, Expression.Constant(tenantId));
                var lambda = Expression.Lambda(condition, parameter);
                
                modelBuilder.Entity(entityType.ClrType).HasQueryFilter(lambda);
            }
        }
    }
    
    private Guid GetCurrentTenantId()
    {
        // Extract tenant ID from HTTP context, claims, etc.
        return _httpContextAccessor.HttpContext?.User
            ?.FindFirst("tenant_id")?.Value 
            ?? Guid.Empty;
    }
}
Bulk Data Seeding with Dependencies
public class ProductSeedData : IDataSeedingConfiguration<Product>
{
    public async Task SeedAsync(DbContext context, IServiceProvider serviceProvider)
    {
        var categoryRepo = serviceProvider.GetRequiredService<ICategoryRepository>();
        var logger = serviceProvider.GetRequiredService<ILogger<ProductSeedData>>();
        
        try
        {
            if (!await context.Set<Product>().AnyAsync())
            {
                var categories = await categoryRepo.GetAllAsync();
                var electronics = categories.First(c => c.Name == "Electronics");
                
                var products = new[]
                {
                    new Product("Laptop", 1299.99m, electronics.Id, "admin"),
                    new Product("Mouse", 29.99m, electronics.Id, "admin"),
                    new Product("Keyboard", 89.99m, electronics.Id, "admin")
                };
                
                context.Set<Product>().AddRange(products);
                await context.SaveChangesAsync();
                
                logger.LogInformation("Seeded {Count} products", products.Length);
            }
        }
        catch (Exception ex)
        {
            logger.LogError(ex, "Failed to seed product data");
            throw;
        }
    }
}
Entity Discovery Rules
The auto-configuration system follows these rules:
- Included Entities: Classes implementing IEntity<TKey>from specified assemblies
- Excluded Entities: Classes marked with [IgnoreEntity]attribute
- Configuration Priority: Explicit configurations override default configurations
- Naming Conventions: Configurable table and column naming strategies
Performance Considerations
- Assembly Scanning: Performed once during startup, cached for application lifetime
- Global Filters: Applied at query compilation time, minimal runtime overhead
- Sequence Operations: Direct SQL execution for optimal performance
- Snapshot Context: Lightweight change tracking, use for critical audit scenarios
Thread Safety
- Configuration registration is thread-safe during startup
- Runtime query operations are thread-safe following EF Core patterns
- Sequence generation is atomic at database level
- Global filter state is immutable after configuration
Contributing
See the main CONTRIBUTING.md for guidelines on how to contribute to this project.
License
This project is licensed under the MIT License.
Related Packages
- DKNet.EfCore.Abstractions - Core abstractions and interfaces
- DKNet.EfCore.Hooks - Entity lifecycle hooks
- DKNet.EfCore.Repos - Repository pattern implementations
- DKNet.EfCore.Events - Domain event handling
Part of the DKNet Framework - A comprehensive .NET framework for building modern, scalable applications.
| Product | Versions Compatible and additional computed target framework versions. | 
|---|---|
| .NET | net9.0 is compatible. net9.0-android was computed. net9.0-browser was computed. net9.0-ios was computed. net9.0-maccatalyst was computed. net9.0-macos was computed. net9.0-tvos was computed. net9.0-windows was computed. net10.0 was computed. net10.0-android was computed. net10.0-browser was computed. net10.0-ios was computed. net10.0-maccatalyst was computed. net10.0-macos was computed. net10.0-tvos was computed. net10.0-windows was computed. | 
- 
                                                    net9.0- DKNet.EfCore.Abstractions (>= 9.5.22)
- DKNet.Fw.Extensions (>= 9.5.22)
- Microsoft.EntityFrameworkCore (>= 9.0.10)
- Microsoft.EntityFrameworkCore.Relational (>= 9.0.10)
- System.ComponentModel.Annotations (>= 5.0.0)
 
NuGet packages (3)
Showing the top 3 NuGet packages that depend on DKNet.EfCore.Extensions:
| Package | Downloads | 
|---|---|
| DKNet.EfCore.Hooks Package Description | |
| DKNet.EfCore.Repos Package Description | |
| DKNet.EfCore.DataAuthorization Package Description | 
GitHub repositories
This package is not used by any popular GitHub repositories.
| Version | Downloads | Last Updated | 
|---|---|---|
| 9.5.24 | 24 | 10/25/2025 | 
| 9.5.23 | 23 | 10/25/2025 | 
| 9.5.22 | 27 | 10/25/2025 | 
| 9.5.21 | 100 | 10/24/2025 | 
| 9.5.20 | 124 | 10/23/2025 | 
| 9.5.19 | 144 | 10/23/2025 | 
| 9.5.18 | 186 | 10/22/2025 | 
| 9.5.17 | 286 | 10/17/2025 | 
| 9.5.16 | 230 | 10/17/2025 | 
| 9.5.15 | 284 | 10/15/2025 | 
| 9.5.14 | 265 | 10/14/2025 | 
| 9.5.13 | 245 | 10/14/2025 | 
| 9.5.12 | 243 | 10/14/2025 | 
| 9.5.11 | 244 | 10/14/2025 | 
| 9.5.10 | 248 | 10/14/2025 | 
| 9.5.9 | 247 | 10/13/2025 | 
| 9.5.8 | 186 | 10/11/2025 | 
| 9.5.7 | 200 | 10/10/2025 | 
| 9.5.6 | 224 | 10/10/2025 | 
| 9.5.5 | 209 | 10/10/2025 | 
| 9.5.4 | 211 | 10/10/2025 | 
| 9.5.3 | 263 | 10/8/2025 | 
| 9.5.2 | 227 | 10/8/2025 | 
| 9.5.1 | 261 | 10/7/2025 | 
| 9.0.42 | 239 | 10/6/2025 | 
| 9.0.41 | 253 | 10/2/2025 | 
| 9.0.40 | 246 | 9/27/2025 | 
| 9.0.39 | 223 | 9/26/2025 | 
| 9.0.38 | 333 | 9/24/2025 | 
| 9.0.37 | 232 | 9/23/2025 | 
| 9.0.36 | 269 | 9/23/2025 | 
| 9.0.35 | 236 | 9/23/2025 | 
| 9.0.34 | 242 | 9/23/2025 | 
| 9.0.33 | 232 | 9/21/2025 | 
| 9.0.32 | 227 | 9/21/2025 | 
| 9.0.31 | 347 | 9/19/2025 | 
| 9.0.30 | 350 | 9/18/2025 | 
| 9.0.29 | 343 | 9/18/2025 | 
| 9.0.28 | 355 | 9/17/2025 | 
| 9.0.27 | 338 | 9/17/2025 | 
| 9.0.26 | 328 | 9/16/2025 | 
| 9.0.25 | 290 | 9/15/2025 | 
| 9.0.24 | 280 | 9/15/2025 | 
| 9.0.23 | 175 | 9/6/2025 | 
| 9.0.22 | 210 | 9/3/2025 | 
| 9.0.21 | 196 | 9/1/2025 | 
| 9.0.20 | 219 | 7/15/2025 | 
| 9.0.19 | 218 | 7/14/2025 | 
| 9.0.18 | 222 | 7/14/2025 | 
| 9.0.17 | 209 | 7/14/2025 | 
| 9.0.16 | 187 | 7/11/2025 | 
| 9.0.15 | 202 | 7/11/2025 | 
| 9.0.14 | 192 | 7/11/2025 | 
| 9.0.13 | 200 | 7/11/2025 | 
| 9.0.12 | 211 | 7/8/2025 | 
| 9.0.11 | 204 | 7/8/2025 | 
| 9.0.10 | 211 | 7/7/2025 | 
| 9.0.9 | 206 | 7/2/2025 | 
| 9.0.8 | 200 | 7/2/2025 | 
| 9.0.7 | 221 | 7/1/2025 | 
| 9.0.6 | 208 | 6/30/2025 | 
| 9.0.5 | 217 | 6/24/2025 | 
| 9.0.4 | 217 | 6/24/2025 | 
| 9.0.3 | 216 | 6/23/2025 | 
| 9.0.2 | 211 | 6/23/2025 | 
| 9.0.1 | 216 | 6/23/2025 |