EnergyExemplar.EntityFrameworkCore.DuckDb 0.1.5-preview

Prefix Reserved
This is a prerelease version of EnergyExemplar.EntityFrameworkCore.DuckDb.
dotnet add package EnergyExemplar.EntityFrameworkCore.DuckDb --version 0.1.5-preview
                    
NuGet\Install-Package EnergyExemplar.EntityFrameworkCore.DuckDb -Version 0.1.5-preview
                    
This command is intended to be used within the Package Manager Console in Visual Studio, as it uses the NuGet module's version of Install-Package.
<PackageReference Include="EnergyExemplar.EntityFrameworkCore.DuckDb" Version="0.1.5-preview" />
                    
For projects that support PackageReference, copy this XML node into the project file to reference the package.
<PackageVersion Include="EnergyExemplar.EntityFrameworkCore.DuckDb" Version="0.1.5-preview" />
                    
Directory.Packages.props
<PackageReference Include="EnergyExemplar.EntityFrameworkCore.DuckDb" />
                    
Project file
For projects that support Central Package Management (CPM), copy this XML node into the solution Directory.Packages.props file to version the package.
paket add EnergyExemplar.EntityFrameworkCore.DuckDb --version 0.1.5-preview
                    
#r "nuget: EnergyExemplar.EntityFrameworkCore.DuckDb, 0.1.5-preview"
                    
#r directive can be used in F# Interactive and Polyglot Notebooks. Copy this into the interactive tool or source code of the script to reference the package.
#:package EnergyExemplar.EntityFrameworkCore.DuckDb@0.1.5-preview
                    
#:package directive can be used in C# file-based apps starting in .NET 10 preview 4. Copy this into a .cs file before any lines of code to reference the package.
#addin nuget:?package=EnergyExemplar.EntityFrameworkCore.DuckDb&version=0.1.5-preview&prerelease
                    
Install as a Cake Addin
#tool nuget:?package=EnergyExemplar.EntityFrameworkCore.DuckDb&version=0.1.5-preview&prerelease
                    
Install as a Cake Tool

DuckDB Entity Framework Core Integration

NuGet NuGet Downloads

This provides a seamless integration between Entity Framework Core and DuckDB, allowing you to use DuckDB as your database while maintaining the familiar EF Core API.

Features

  • Simple API: Just use UseDuckDb() similar to UseSqlite() or UseSqlServer()
  • Automatic SQL Translation: Converts EF Core generated SQL to DuckDB-compatible SQL
  • Full EF Core Support: Works with LINQ queries, navigation properties, and all EF Core features
  • Performance: Leverages DuckDB's columnar storage for fast analytical queries on Parquet files with significant performance improvements over SQLite
  • Developer-Friendly API: The extension replaces fragile, manual setups with a clean, fluent API. This reduces code complexity, improves maintainability, and accelerates development.

Performance

The performance improvements are significant when using DuckDB over SQLite for analytical queries:

Database OData Query Performance
SQLite 7.61s - 8.83s
DuckDB 800ms - 1s

Performance Gain: ~8-10x faster 🚀

DuckDB's columnar storage and vectorized execution engine provide substantial performance benefits for analytical workloads, making it an excellent choice for data analysis and reporting scenarios.

Installation

Ensure you have the necessary NuGet packages:

<PackageReference Include="Microsoft.EntityFrameworkCore" Version="8.0.6" />
<PackageReference Include="Microsoft.EntityFrameworkCore.Sqlite" Version="8.0.6" />
<PackageReference Include="DuckDB.NET.Data.Full" Version="1.2.1" />

Basic Usage

using EnergyExemplar.EntityFrameworkCore.DuckDb;
using Microsoft.EntityFrameworkCore;

var options = new DbContextOptionsBuilder<MyDbContext>()
    .UseDuckDb(opts =>
    {
        opts.ConnectionString = "DataSource=C:/data/mydb.duckdb";
        opts.MemoryLimitGB = 4; // Optional: set DuckDB memory limit to 4GB
        opts.FileSearchPath = "C:/data/"; // Optional: set file_search_path for relative views
    })
    .Options;

using var context = new MyDbContext(options);
var data = await context.MyEntities.Where(e => e.Name.StartsWith("Gen")).ToListAsync();

2. Using Dependency Injection (ASP.NET Core)

// In your Program.cs or Startup.cs
services.AddDbContext<MyDbContext>(options =>
    options.UseDuckDb(opts =>
    {
        opts.ConnectionString = builder.Configuration["DuckDb:ConnectionString"];
        opts.MemoryLimitGB = 8;
        opts.FileSearchPath = builder.Configuration["DuckDb:FileSearchPath"];
    })
);

3. Using a Configuration Object

var duckDbOptions = new DuckDbConnectionOptions
{
    ConnectionString = "DataSource=C:/data/mydb.duckdb",
    MemoryLimitGB = 16,
    FileSearchPath = "C:/data/"
};

var options = new DbContextOptionsBuilder<MyDbContext>()
    .UseDuckDb(duckDbOptions)
    .Options;

4. Parquet File Only (No .duckdb Database)

var options = new DbContextOptionsBuilder<MyDbContext>()
    .UseDuckDbOnParquet("C:/data/mydata.parquet")
    .Options;

Tip: Change tracking is disabled by default for maximum performance. To enable it, pass noTracking: false to UseDuckDbOnParquet() or set NoTracking = false on DuckDbConnectionOptions.

Migration from Previous Implementation

Before (Manual Setup)

Manual DbConnection management, custom interceptors, and scattered configuration.

After (Using UseDuckDb)

var options = new DbContextOptionsBuilder<MyDbContext>()
    .UseDuckDb(opts =>
    {
        opts.ConnectionString = "DataSource=C:/data/mydb.duckdb";
    })
    .Options;

Configuration Options

DuckDbConnectionOptions Properties

  • ConnectionString (required): Path to the DuckDB database file (e.g., DataSource=mydb.duckdb)
  • FileSearchPath (optional): Base directory for resolving relative paths in DuckDB views
  • MemoryLimitGB (optional): Memory limit for DuckDB operations (in GB)
  • NoTracking (optional): If true (the default), all queries will be executed with AsNoTracking(). Set to false to enable change tracking.

Example: Complete Application

using Microsoft.EntityFrameworkCore;
using Microsoft.Extensions.DependencyInjection;
using Microsoft.Extensions.Hosting;
using EnergyExemplar.EntityFrameworkCore.DuckDb;

var host = Host.CreateDefaultBuilder(args)
    .ConfigureServices((context, services) =>
    {
        services.AddDbContext<MyDbContext>(options =>
            options.UseDuckDb(opts =>
            {
                opts.ConnectionString = context.Configuration["DuckDb:ConnectionString"];
                opts.MemoryLimitGB = 8;
                opts.FileSearchPath = context.Configuration["DuckDb:FileSearchPath"];
            })
        );
        services.AddScoped<IDataService, DataService>();
    })
    .Build();

await host.RunAsync();

public class DataService : IDataService
{
    private readonly MyDbContext _context;
    public DataService(MyDbContext context) => _context = context;
    public async Task<List<MyEntity>> GetDataAsync()
        => await _context.MyEntities.Where(e => e.IsActive).ToListAsync();
}

Advanced Scenarios

Multiple Contexts

services.AddDbContext<InputContext>(options =>
    options.UseDuckDb(opts =>
    {
        opts.ConnectionString = "DataSource=input.duckdb";
    })
);
services.AddDbContext<OutputContext>(options =>
    options.UseDuckDb(opts =>
    {
        opts.ConnectionString = "DataSource=output.duckdb";
    })
);

Parquet-Only Context

services.AddDbContext<MyParquetContext>(options =>
    options.UseDuckDbOnParquet("C:/data/mydata.parquet")
);

Troubleshooting

  1. Memory Issues: Set MemoryLimitGB in the options lambda or object.
  2. Path Issues: Ensure FileSearchPath is set correctly for relative paths in views.
  3. Write Operations: The integration is read-only; any write operation will throw NotSupportedException.
  4. Performance: DuckDB excels at analytical queries but may be slower for OLTP workloads.

Benefits Over Manual Configuration

  1. Cleaner Code: No need to manually configure interceptors and options
  2. Type Safety: Configuration options are strongly typed
  3. Consistency: Ensures all required components are properly configured
  4. Maintainability: Changes to DuckDB integration are centralized
  5. Testability: Easy to mock or substitute in tests

Notes

  • The implementation uses SQLite as the base provider but intercepts and translates all SQL to DuckDB
  • Query tracking is disabled by default for better performance (can be overridden via NoTracking = false)
  • All DuckDB dependencies are automatically registered when using the extensions

Custom Conventions (Optional)

The library includes optional EF Core conventions that can simplify your model configuration by automatically mapping entity and property names directly to table and column names.

Available Conventions

  1. EntityNameAsTableNameConvention: Automatically sets table names to match entity class names
  2. PropertyNameAsColumnNameConvention: Automatically sets column names to match property names
  3. CustomConventionSetBuilder: Applies both conventions together

Usage

using EnergyExemplar.EntityFrameworkCore.DuckDb.Conventions;
using Microsoft.EntityFrameworkCore;
using Microsoft.EntityFrameworkCore.Metadata.Conventions.Infrastructure;

// Option 1: Apply conventions when configuring DbContext
var options = new DbContextOptionsBuilder<MyDbContext>()
    .UseDuckDb(opts =>
    {
        opts.ConnectionString = "DataSource=mydb.duckdb";
    })
    .ReplaceService<IProviderConventionSetBuilder, CustomConventionSetBuilder>()
    .Options;

// Option 2: Apply in dependency injection
services.AddDbContext<MyDbContext>(options =>
{
    options.UseDuckDb(opts =>
    {
        opts.ConnectionString = configuration["DuckDb:ConnectionString"];
    })
    .ReplaceService<IProviderConventionSetBuilder, CustomConventionSetBuilder>();
});

Benefits

  • Reduced Boilerplate: No need to manually configure table and column names
  • Consistency: Ensures naming conventions are applied uniformly across your model
  • DuckDB Compatibility: Particularly useful when working with DuckDB views or Parquet files where column names must match exactly
  • Simplified Migrations: When entity/property names match database schema, there's less configuration needed

Example Scenario

Without conventions:

public class CustomerOrder
{
    public int OrderId { get; set; }
    public string CustomerName { get; set; }
}

// Requires manual configuration
modelBuilder.Entity<CustomerOrder>()
    .ToTable("CustomerOrder")
    .Property(e => e.CustomerName)
    .HasColumnName("CustomerName");

With conventions (automatically applied):

public class CustomerOrder
{
    public int OrderId { get; set; }
    public string CustomerName { get; set; }
}
// No additional configuration needed!

When to Use

These conventions are particularly helpful when:

  • Your entity and property names already match your database schema
  • You're working with existing Parquet files or DuckDB views
  • You want to reduce EF Core configuration code
  • You prefer convention over configuration approach

Note: These conventions are optional. If you need different table/column names than your entity/property names, simply don't apply the conventions and use standard EF Core configuration.

License

This project is licensed under the MIT License - see the LICENSE file for details.

Third-Party Licenses

This project depends on the following third-party libraries:

Product Compatible and additional computed target framework versions.
.NET 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.  net9.0 was computed.  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. 
Compatible target framework(s)
Included target framework(s) (in package)
Learn more about Target Frameworks and .NET Standard.

NuGet packages

This package is not used by any NuGet packages.

GitHub repositories

This package is not used by any popular GitHub repositories.

Version Downloads Last Updated
0.1.5-preview 71 9/9/2025
0.1.4-preview 73 9/8/2025
0.1.3-preview 77 9/8/2025
0.1.2-preview 86 9/8/2025
0.1.1-preview 125 9/2/2025