SaasSuite.Migration 26.3.3.2

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

SaasSuite.Migration

NuGet License: Apache-2.0 Platform

Multi-tenant data migration engine for SaasSuite.

Features

  • Dry-run mode: Validate migrations without applying changes
  • Batching support: Process tenants in configurable batches
  • Checkpointing: Resume migrations from the last successful checkpoint
  • Parallel execution: Process multiple tenants simultaneously
  • Rollback hooks: Define rollback operations for migration steps
  • Progress reporting: Track migration progress in real-time
  • CLI integration: Ready for command-line interface integration

Installation

dotnet add package SaasSuite.Migration
dotnet add package SaasSuite.Core

Quick Start

1. Register Services

services.AddSaasMigration(options =>
{
    options.BatchSize = 10;
    options.EnableParallelExecution = true;
    options.MaxDegreeOfParallelism = 4;
    options.EnableCheckpointing = true;
});

// Register your tenant provider
services.AddScoped<ITenantProvider, YourTenantProvider>();

// Register migration steps
services.AddMigrationStep<Step1>();
services.AddMigrationStep<Step2>();

2. Implement a Tenant Provider

using SaasSuite.Core.Interfaces;
using SaasSuite.Migration.Interfaces;

public class YourTenantProvider : ITenantProvider
{
    private readonly ITenantStore _tenantStore;

    public YourTenantProvider(ITenantStore tenantStore)
    {
        _tenantStore = tenantStore;
    }

    public async Task<IEnumerable<TenantInfo>> GetAllTenantsAsync(
        CancellationToken cancellationToken = default)
    {
        // Implement your logic to retrieve all tenants
        // Example: return await _tenantStore.GetAllAsync(cancellationToken);
    }
}

3. Create Migration Steps

using SaasSuite.Migration.Base;

public class AddNewColumnMigration : MigrationStepBase
{
    private readonly IDbContextFactory<AppDbContext> _contextFactory;

    public override string Name => "AddNewColumn";
    public override string Description => "Adds a new column to the users table";

    public AddNewColumnMigration(IDbContextFactory<AppDbContext> contextFactory)
    {
        _contextFactory = contextFactory;
    }

    public override async Task ExecuteAsync(string tenantId, CancellationToken cancellationToken)
    {
        await using var context = await _contextFactory.CreateDbContextAsync(cancellationToken);
        // Set tenant context
        // Execute migration logic
    }

    public override async Task<bool> ValidateAsync(string tenantId, CancellationToken cancellationToken)
    {
        await using var context = await _contextFactory.CreateDbContextAsync(cancellationToken);
        // Validate migration can be applied
        return true;
    }

    public override async Task RollbackAsync(string tenantId, CancellationToken cancellationToken)
    {
        await using var context = await _contextFactory.CreateDbContextAsync(cancellationToken);
        // Rollback logic (optional)
    }
}

4. Execute Migration

using SaasSuite.Migration;
using SaasSuite.Migration.Interfaces;

public class MigrationService
{
    private readonly IMigrationEngine _migrationEngine;
    private readonly IEnumerable<IMigrationStep> _migrationSteps;

    public MigrationService(
        IMigrationEngine migrationEngine,
        IEnumerable<IMigrationStep> migrationSteps)
    {
        _migrationEngine = migrationEngine;
        _migrationSteps = migrationSteps;
    }

    public async Task RunMigrationAsync()
    {
        // Perform dry run first
        var dryRunResult = await _migrationEngine.DryRunAsync(_migrationSteps);
        
        if (!dryRunResult.IsSuccess)
        {
            Console.WriteLine($"Dry run failed: {dryRunResult.Errors.Count} errors");
            return;
        }

        // Execute actual migration with progress reporting
        var progress = new Progress<MigrationProgress>(p =>
        {
            Console.WriteLine($"Progress: {p.PercentComplete:F2}% - {p.Message}");
        });

        var result = await _migrationEngine.ExecuteAsync(
            _migrationSteps,
            progress: progress);

        Console.WriteLine($"Migration completed: {result.SuccessfulTenants} successful, " +
                         $"{result.FailedTenants} failed");
    }
}

Advanced Usage

Resume from Checkpoint

// Load previous checkpoint
var checkpoint = await LoadCheckpointAsync();

var result = await _migrationEngine.ExecuteAsync(
    _migrationSteps,
    checkpoint: checkpoint);

Migrate Specific Tenants

var tenantIds = new[] { "tenant-1", "tenant-2", "tenant-3" };

var result = await _migrationEngine.ExecuteAsync(
    _migrationSteps,
    tenantIds: tenantIds);

Custom Migration Options

var options = new MigrationOptions
{
    BatchSize = 5,
    EnableParallelExecution = true,
    MaxDegreeOfParallelism = 2,
    ContinueOnFailure = true,
    TenantTimeout = TimeSpan.FromMinutes(10)
};

var result = await _migrationEngine.ExecuteAsync(
    _migrationSteps,
    options: options);

Rollback Migration

var affectedTenantIds = new[] { "tenant-1", "tenant-2" };

var result = await _migrationEngine.RollbackAsync(
    _migrationSteps,
    affectedTenantIds);

Configuration Options

Configure the migration engine behavior through MigrationOptions:

BatchSize (default: 10)
Number of tenants to process in each batch. Adjust based on your system resources and tenant data size.

EnableParallelExecution (default: false)
Enable parallel processing of tenants within batches. Improves throughput for independent migrations.

MaxDegreeOfParallelism (default: 4)
Maximum number of parallel operations when parallel execution is enabled. Higher values increase throughput but also resource usage.

EnableCheckpointing (default: true)
Enable automatic checkpointing for resumability. Allows migrations to resume from the last successful checkpoint after interruption.

CheckpointInterval (default: 1)
Number of batches processed between checkpoint saves. Lower values provide more frequent resume points but slightly impact performance.

ContinueOnFailure (default: true)
Continue processing remaining tenants when individual tenant migrations fail. Failed tenants are tracked in the result.

TenantTimeout (default: 5 minutes)
Maximum time allowed for each tenant's migration operation. Prevents hung operations from blocking the entire migration.

EnableProgressReporting (default: true)
Enable progress callbacks for real-time monitoring. Disable to reduce overhead in high-performance scenarios.

License

This package is licensed under the Apache License 2.0. See the LICENSE file in the repository root for details.

Product 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 is compatible.  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.  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 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 (1)

Showing the top 1 NuGet packages that depend on SaasSuite.Migration:

Package Downloads
SaasSuite

Convenience meta-package that bundles the core SaaS building blocks. Includes SaasSuite.Core, SaasSuite.Features, SaasSuite.Seats, SaasSuite.Quotas, SaasSuite.Metering, SaasSuite.Billing, SaasSuite.Subscriptions, SaasSuite.Audit, and SaasSuite.Migration. Integrations live in separate packages and are not included.

GitHub repositories

This package is not used by any popular GitHub repositories.

Version Downloads Last Updated
26.3.3.2 118 3/3/2026