SqliteWasmBlazor 0.7.2-pre

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

SqliteWasmBlazor

The first known solution providing true filesystem-backed SQLite database with full EF Core support for Blazor WebAssembly.

License: MIT .NET NuGet GitHub Repo stars

Try the Live Demo - Experience persistent SQLite database in your browser! Can be installed as a Progressive Web App (PWA) for offline use.

What's New

  • Multi-View Demo - Floating draggable/resizable dialog windows using lightweight JS interop on top of standard MudBlazor dialogs (details)
  • Incremental Database Export/Import - File-based delta sync with checkpoint management and conflict resolution for offline-first PWAs (details)
  • Database Import/Export - Schema-validated MessagePack serialization for backups and data migration (details)
  • Real-World Sample - Check out the Datasync TodoApp for offline-first data synchronization with SqliteWasmBlazor

Breaking Changes

  • v0.7.2-pre - SqliteWasmWorkerBridge is now internal. Use ISqliteWasmDatabaseService via DI instead:
    // Program.cs - add service registration
    builder.Services.AddSqliteWasm();
    
    // Components - inject the interface
    @inject ISqliteWasmDatabaseService DatabaseService
    
    // Replace SqliteWasmWorkerBridge.Instance.DeleteDatabaseAsync(...)
    // with:   DatabaseService.DeleteDatabaseAsync(...)
    

What Makes This Special?

Unlike other Blazor WASM database solutions that use in-memory storage or IndexedDB emulation, SqliteWasmBlazor is the first implementation that combines:

  • True Filesystem Storage - Uses OPFS (Origin Private File System) with synchronous access handles
  • Full EF Core Support - Complete ADO.NET provider with migrations, relationships, and LINQ
  • Real SQLite Engine - Official sqlite-wasm (3.50.4) running in Web Worker
  • Persistent Data - Survives page refreshes, browser restarts, and even browser updates
  • No Server Required - Everything runs client-side in the browser
Solution Storage Persistence EF Core Limitations
InMemory RAM None Full Lost on refresh
IndexedDB IndexedDB Yes Limited No SQL, complex API
SQL.js IndexedDB Yes None Manual serialization
besql Cache API Yes Partial Emulated filesystem
SqliteWasmBlazor OPFS Yes Full None!

Public API

SqliteWasmBlazor exposes a stable public API for database management operations via dependency injection:

ISqliteWasmDatabaseService

The primary interface for database operations outside of EF Core:

public interface ISqliteWasmDatabaseService
{
    /// <summary>Check if a database exists in OPFS.</summary>
    Task<bool> ExistsDatabaseAsync(string databaseName, CancellationToken cancellationToken = default);

    /// <summary>Delete a database from OPFS.</summary>
    Task DeleteDatabaseAsync(string databaseName, CancellationToken cancellationToken = default);

    /// <summary>Rename a database in OPFS (atomic operation).</summary>
    Task RenameDatabaseAsync(string oldName, string newName, CancellationToken cancellationToken = default);

    /// <summary>Close a database connection in the worker.</summary>
    Task CloseDatabaseAsync(string databaseName, CancellationToken cancellationToken = default);
}

Usage in components:

@inject ISqliteWasmDatabaseService DatabaseService

@code {
    private async Task ResetDatabaseAsync()
    {
        // Delete and recreate database
        await DatabaseService.DeleteDatabaseAsync("MyApp.db");

        await using var context = await DbContextFactory.CreateDbContextAsync();
        await context.Database.MigrateAsync();
    }
}

Other Public Types

Type Purpose
SqliteWasmConnection ADO.NET DbConnection for direct SQL access
SqliteWasmCommand ADO.NET DbCommand for query execution
SqliteWasmDataReader ADO.NET DbDataReader for result iteration
SqliteWasmParameter ADO.NET DbParameter for query parameters
SqliteWasmTransaction ADO.NET DbTransaction for transaction support
IDBInitializationService Tracks database initialization state and errors

All internal implementation details (worker bridge, serialization, etc.) are encapsulated and not part of the public API.

Installation

NuGet Package

dotnet add package SqliteWasmBlazor --prerelease

Or install a specific version:

dotnet add package SqliteWasmBlazor --version 0.6.5-pre

Visit NuGet.org for the latest version.

From Source

git clone https://github.com/bernisoft/SqliteWasmBlazor.git
cd SqliteWasmBlazor
dotnet build

Quick Start

1. Configure Your Project

Program.cs:

using SqliteWasmBlazor;

var builder = WebAssemblyHostBuilder.CreateDefault(args);

// Add your DbContext with SqliteWasm provider
builder.Services.AddDbContextFactory<TodoDbContext>(options =>
{
    var connection = new SqliteWasmConnection("Data Source=TodoDb.db");
    options.UseSqliteWasm(connection);
});

// Register initialization service
builder.Services.AddSingleton<IDBInitializationService, DBInitializationService>();

// Register SqliteWasm database management service (for ISqliteWasmDatabaseService)
builder.Services.AddSqliteWasm();

var host = builder.Build();

// Initialize SqliteWasm database with automatic migration support
await host.Services.InitializeSqliteWasmDatabaseAsync<TodoDbContext>();

await host.RunAsync();

The InitializeSqliteWasmDatabaseAsync extension method automatically:

  • Initializes the Web Worker bridge
  • Applies pending migrations (with automatic migration history recovery)
  • Handles multi-tab conflicts with helpful error messages
  • Tracks initialization status via IDBInitializationService

2. Define Your DbContext

using Microsoft.EntityFrameworkCore;

public class TodoDbContext : DbContext
{
    public TodoDbContext(DbContextOptions<TodoDbContext> options) : base(options) { }

    public DbSet<TodoItem> TodoItems { get; set; }

    protected override void OnModelCreating(ModelBuilder modelBuilder)
    {
        modelBuilder.Entity<TodoItem>(entity =>
        {
            entity.HasKey(e => e.Id);
            entity.Property(e => e.Title).IsRequired().HasMaxLength(200);
        });
    }
}

public class TodoItem
{
    public int Id { get; set; }
    public string Title { get; set; }
    public bool IsCompleted { get; set; }
    public DateTime CreatedAt { get; set; }
}

3. Use in Your Components

@inject IDbContextFactory<TodoDbContext> DbFactory

<h3>Todo List</h3>

@foreach (var todo in todos)
{
    <div>
        <input type="checkbox" @bind="todo.IsCompleted" @bind:after="() => SaveTodo(todo)" />
        <span>@todo.Title</span>
    </div>
}

@code {
    private List<TodoItem> todos = new();

    protected override async Task OnInitializedAsync()
    {
        await using var db = await DbFactory.CreateDbContextAsync();
        todos = await db.TodoItems.OrderBy(t => t.CreatedAt).ToListAsync();
    }

    private async Task SaveTodo(TodoItem todo)
    {
        await using var db = await DbFactory.CreateDbContextAsync();
        db.TodoItems.Update(todo);
        await db.SaveChangesAsync(); // Automatically persists to OPFS!
    }
}

Features

Full EF Core Support

// Migrations
await dbContext.Database.MigrateAsync();

// Complex queries with LINQ
var results = await dbContext.Orders
    .Include(o => o.Customer)
    .Where(o => o.Total > 100)
    .OrderByDescending(o => o.Date)
    .ToListAsync();

// Relationships
public class Order
{
    public int Id { get; set; }
    public Customer Customer { get; set; }
    public List<OrderItem> Items { get; set; }
}

// Decimal arithmetic (via ef_ scalar functions)
var expensive = await dbContext.Products
    .Where(p => p.Price * 1.2m > 100m)
    .ToListAsync();

High Performance

  • Efficient Serialization - JSON for requests (small), MessagePack for responses (optimized for data)
  • Typed Column Information - Worker sends type metadata to reduce .NET marshalling overhead
  • OPFS SAHPool - Near-native filesystem performance with synchronous access
  • Direct Execution - Queries run directly on persistent storage, no copying needed

Enterprise-Ready

  • Type Safety - Full .NET type system with proper decimal support
  • EF Core Functions - All ef_* scalar and aggregate functions implemented
  • JSON Collections - Store List<T> with proper value comparers
  • Logging - Configurable logging levels (Debug/Info/Warning/Error)
  • Error Handling - Proper async error propagation

Documentation

Topic Description
Architecture Worker-based architecture, how it works, technical details
ADO.NET Usage Using SqliteWasmBlazor without EF Core, transactions
Advanced Features Migrations, FTS5 search, JSON collections, logging
Recommended Patterns Multi-view pattern, data initialization best practices
FAQ Common questions and browser support
Changelog Release notes and version history

Browser Support

Browser Version OPFS Support
Chrome 108+ Full SAH support
Edge 108+ Full SAH support
Firefox 111+ Full SAH support
Safari 16.4+ Full SAH support

All modern browsers (2023+) support OPFS with Synchronous Access Handles, including mobile browsers (iOS/iPadOS Safari, Android Chrome).

Roadmap

  • Core ADO.NET provider
  • OPFS SAHPool integration
  • EF Core migrations support
  • MessagePack serialization
  • Custom EF functions (decimals)
  • FTS5 full-text search with highlighting and snippets
  • MudBlazor demo app
  • NuGet package pre-release
  • Database export/import API
  • Backup/restore utilities (delta sync with checkpoints)
  • Stable NuGet package release
  • Multi-database support
  • Performance profiling tools

Contributing

Contributions welcome! Please:

  1. Fork the repository
  2. Create a feature branch
  3. Make your changes
  4. Add tests for new functionality
  5. Submit a pull request

Credits

Author: bernisoft License: MIT

Built with:

License

MIT License - Copyright (c) 2025 bernisoft

See LICENSE file for details.


Built with love for the Blazor community

If you find this useful, please star the repository!

Product Compatible and additional computed target framework versions.
.NET net10.0 is compatible.  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 (4)

Showing the top 4 NuGet packages that depend on SqliteWasmBlazor:

Package Downloads
BlazorPRF.Noble.UI

MudBlazor UI components for PRF-based deterministic encryption

BlazorPRF.BC.UI

MudBlazor UI components for PRF-based deterministic encryption

BlazorPRF.Persistence

Ready-to-use persistence layer for BlazorPRF applications. Provides trusted contacts, invitations, and settings storage using EF Core with SQLite.

BBH.SqliteWasmBlazor

A Blazor WebAssembly library for SQLite integration in browser history applications

GitHub repositories

This package is not used by any popular GitHub repositories.

Version Downloads Last Updated
0.7.2-pre 50 1/28/2026
0.7.1-pre 36 1/27/2026
0.7.0-pre 819 11/17/2025
0.6.9-pre 193 11/16/2025
0.6.8-pre 107 11/15/2025
0.6.7-pre 202 11/14/2025
0.6.6-pre 199 11/14/2025
0.6.5-pre 245 11/13/2025
0.6.4-pre 250 11/13/2025
0.6.3-pre 244 11/13/2025
0.6.2-pre 243 11/13/2025
0.6.0-pre 260 11/12/2025

- Full EF Core ADO.NET provider
     - OPFS SAHPool persistence
     - MessagePack binary protocol
     - Complete migration support
     - Custom EF Core decimal functions
     - Dual SQLite instance architecture