EmbeddedSql 0.1.0

dotnet add package EmbeddedSql --version 0.1.0
                    
NuGet\Install-Package EmbeddedSql -Version 0.1.0
                    
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="EmbeddedSql" Version="0.1.0" />
                    
For projects that support PackageReference, copy this XML node into the project file to reference the package.
<PackageVersion Include="EmbeddedSql" Version="0.1.0" />
                    
Directory.Packages.props
<PackageReference Include="EmbeddedSql" />
                    
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 EmbeddedSql --version 0.1.0
                    
#r "nuget: EmbeddedSql, 0.1.0"
                    
#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.
#addin nuget:?package=EmbeddedSql&version=0.1.0
                    
Install EmbeddedSql as a Cake Addin
#tool nuget:?package=EmbeddedSql&version=0.1.0
                    
Install EmbeddedSql as a Cake Tool

EmbeddedSql

nuget downloads build loc maintainability test coverage mutation score openssf scorecard

EmbeddedSql is a NuGet package that provides a clean and organized way to manage SQL statements and database migrations using .sql files. It works on top of System.Data abstractions, making it database provider and ORM agnostic.

Rationale

Having SQL statements as plain strings scattered around your codebase is not only ugly but error-prone as well. When all of them are organized in .sql files, you can have a better overview, reduce the cognitive overhead of mixed languages, employ proper code style, and have nice syntax highlighting.

Setup

  • Install the EmbeddedSql NuGet package.

  • Make sure all .sql files are going to be embedded in the assembly by adding the following lines to your .csproj file:

<ItemGroup>
  <EmbeddedResource Include="**/*.sql" />
</ItemGroup>
  • Add EmbeddedSql services:
builder.Services.AddEmbeddedSql();
  • Alternatively, you can also point specific assemblies for scanning and apply filename-based filtering:
builder.Services.AddEmbeddedSql(options => 
{
    options.Assemblies = new[] { typeof(TestApi.Common.Entry).Assembly };
    options.UseFilter(resourceName => !resourceName.Contains("Scripts"));
});

SQL statements

A special type of comment with three dashes --- denotes a key for a SQL statement.

[!NOTE] All code samples use Dapper and SQLite.

--- AppUser.Get

SELECT Id, FirstName, LastName
FROM AppUser
WHERE Id = @Id

On application startup, a singleton service ISql is registered in the DI container. All embedded .sql resources are scanned and stored internally in a FrozenDictionary for better performance.

[!NOTE] The name of the files containing SQL statements doesn't matter.

Getting SQL statements is then straightforward:

app.MapGet("/api/users/{id}", (string id, IDbConnection db, ISql sql) =>
{
    var user = db.QuerySingleOrDefault<User>(sql["AppUser.Get"], new { Id = id });
    if (user == null)
    {
        return Results.NotFound();
    }

    return Results.Ok(user);
});

Unsafe format

The UnsafeFormat overloads offer a great way to construct SQL statements dynamically.

Consider the following statement:

--- AppUser.Search

SELECT Id, FirstName, LastName
FROM AppUser
WHERE {0}

You can use it like that:

app.MapGet("/api/users/search", (string? firstName, string? lastName, IDbConnection db, ISql sql) =>
{
    var parameters = new Dictionary<string, object>();
    var predicates = new List<string>();
    if (firstName != null)
    {
        parameters.Add("FirstName", firstName);
        predicates.Add("FirstName = @FirstName");
    }

    if (lastName != null)
    {
        parameters.Add("LastName", lastName);
        predicates.Add("LastName = @LastName");
    }

    if (parameters.Count == 0)
    {
        return Results.BadRequest();
    }

    var condition = string.Join(" AND ", predicates);
    var query = sql.UnsafeFormat("AppUser.Search", condition);
    var users = db.Query<User>(query, parameters);

    return Results.Ok(users);
});

[!WARNING] Never pass non-validated user-provided values into this method. Doing so may expose your application to SQL injection attacks.

Migrations

EmbeddedSql offers a simple way to handle your database migrations.

private static void MigrateDb(this WebApplication app)
{
    using var scope = app.Services.CreateScope();
    var migrator = scope.ServiceProvider.GetRequiredService<IMigrator>();
    migrator.Run();
}

// OR

private static async Task MigrateDb(this WebApplication app)
{
    await using var scope = app.Services.CreateAsyncScope();
    var migrator = scope.ServiceProvider.GetRequiredService<IMigrator>();
    await migrator.RunAsync();
}

A scoped IMigrator service is registered by default. Without further customization, it will create a table for tracking all applied migrations. You should provide its definition and the statements to work with it. Furthermore, the migrator will expect to find an IDbConnection in the DI container.

--- _Migration.EnsureTable

CREATE TABLE IF NOT EXISTS _Migration (
    Id TEXT NOT NULL,
    CONSTRAINT PK__Migration PRIMARY KEY (Id)
)

--- _Migration.GetAll

SELECT Id
FROM _Migration

--- _Migration.Create

INSERT INTO _Migration (Id)
VALUES (@Id)

[!NOTE] The script for ensuring the migration tracking table is run every time, so it should be indempotent.

By default, all statements that are prefixed with Migration. are considered migration scripts.

--- Migration.AppUser.0001_Init

CREATE TABLE AppUser (
    Id TEXT NOT NULL,
    FirstName TEXT NOT NULL,
    LastName TEXT NOT NULL,
    CONSTRAINT PK_AppUser PRIMARY KEY (Id)
)

Migration scripts are going to be applied in alphabetical order.

Customization

You can customize many aspects of the behavior of the migrator.

builder.Services.AddEmbeddedSql(options => 
{
    options.ConfigureMigrator(migratorOptions =>
    {
        // ...
    });
});
Idempotent scripts

By default, the migrator will expect non-idempotent scripts. You can change this:

migratorOptions.Idempotent = true;

This would mean that no migration tracking table will be created.

Transaction behavior

By default, every script is wrapped in a transaction. Instead, you can also wrap all migrations in a single transaction:

migratorOptions.TransactionBehavior = TransactionBehavior.Overarching;

Alternatively, you can disable transactions altogether:

migratorOptions.TransactionBehavior = TransactionBehavior.None;

[!WARNING] Please make sure you know how DDL statements are handled by your db.

Currently, the only check that the migrator does is whether your provider is MySql/MariaDb and logs a warning if you are using transactions due to implicit commit.

Script naming

If the default naming conventions don't fit well in your codebase, you can change them:

migratorOptions.EnsureMigrationTableCommand = "_MyMigration.EnsureTable";
migratorOptions.GetMigrationsQuery = "_MyMigration.GetAll";
migratorOptions.CreateMigrationCommand = "_MyMigration.Create";
migratorOptions.MigrationScriptPrefix = "MyMigration.";

Also, since the migration tracking table is defined by you, you can pimp it up too:

--- _MyMigration.EnsureTable

CREATE TABLE IF NOT EXISTS _Migration (
    Id TEXT NOT NULL,
    Timestamp TEXT NOT NULL,
    CONSTRAINT PK__Migration PRIMARY KEY (Id)
)

--- _MyMigration.Create

INSERT INTO _Migration (Id, Timestamp)
VALUES (@Id, @Timestamp)

Then you should change the parameters for the create migration command accordingly.

migratorOptions.ConfigureCreateMigrationCommandParameters((parameters, migration) =>
{
    parameters["@Id"] = migration;
    parameters["@Timestamp"] = DateTime.UtcNow;
});

Keyed services

You can set a service key for ISql and IMigrator when registering:

builder.Services.AddEmbeddedSql(options => 
{
    options.ServiceKey = "AppUsers";
});

The migrator will first try to resolve the IDbConnection with the same key, and if such is not found, it will fall back to the keyless one. This way you can have many sets of SQL statements, migrators, and database connections.

Additional resources

Feedback

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 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. 
Compatible target framework(s)
Included target framework(s) (in package)
Learn more about Target Frameworks and .NET Standard.
  • net8.0

    • No dependencies.
  • net9.0

    • No dependencies.

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.0 278 3/5/2025