Akka.Hosting
                             
                            
                                1.5.51
                            
                        
                            
                                
                                
                                    Prefix Reserved
                                
                            
                    See the version list below for details.
dotnet add package Akka.Hosting --version 1.5.51
NuGet\Install-Package Akka.Hosting -Version 1.5.51
<PackageReference Include="Akka.Hosting" Version="1.5.51" />
<PackageVersion Include="Akka.Hosting" Version="1.5.51" />
<PackageReference Include="Akka.Hosting" />
paket add Akka.Hosting --version 1.5.51
#r "nuget: Akka.Hosting, 1.5.51"
#:package Akka.Hosting@1.5.51
#addin nuget:?package=Akka.Hosting&version=1.5.51
#tool nuget:?package=Akka.Hosting&version=1.5.51
<a id="akkahosting"></a>
Akka.Hosting
HOCON-less configuration, application lifecycle management, ActorSystem startup, and actor instantiation for Akka.NET.
See the "Introduction to Akka.Hosting - HOCON-less, "Pit of Success" Akka.NET Runtime and Configuration" video for a walkthrough of the library and how it can save you a tremendous amount of time and trouble.
Table Of Content
- Supported Packages
- Summary
- Dependency Injection Outside and Inside Akka.NET
- Microsoft.Extensions.Configuration Integration
- Microsoft.Extensions.Logging Integration
- Microsoft.Extensions.Diagnostics.HealthChecks Integration
- Dependency Injected Health Checks
- Built-in HealthChecks <a id="supported-packages"></a>
 
Supported Packages
<a id="akkanet-core-packages"></a>
Akka.NET Core Packages
- Akka.Hosting- the core- Akka.Hostingpackage, needed for everything
- Akka.Remote.Hosting- enables Akka.Remote configuration. Documentation can be read here
- Akka.Cluster.Hosting- used for Akka.Cluster, Akka.Cluster.Sharding, and Akka.Cluster.Tools. Documentation can be read here
- Akka.Persistence.Hosting- used for adding persistence functionality to perform local database-less testing. Documentation can be read here
<a id="akka-persistence-plugins"></a>
Akka Persistence Plugins
- Akka.Persistence.SqlServer.Hosting- used for Akka.Persistence.SqlServer support. Documentation can be read here
- Akka.Persistence.PostgreSql.Hosting- used for Akka.Persistence.PostgreSql support. Documentation can be read here
- Akka.Persistence.Azure.Hosting- used for Akka.Persistence.Azure support. Documentation can be read here
<a id="akkamanagement-plugins"></a>
Akka.Management Plugins
Useful tools for managing Akka.NET clusters running inside containerized or cloud based environment. Akka.Hosting is embedded in each of its packages.
<a id="akkamanagement-core-package"></a>
Akka.Management Core Package
- Akka.Management- core module of the management utilities which provides a central HTTP endpoint for Akka management extensions. Documentation can be read here
- Akka.Management.Cluster.Bootstrap- used to bootstrap a cluster formation inside dynamic deployment environments. Documentation can be read here- NOTE - As of version 1.0.0, cluster bootstrap came bundled inside the core - Akka.ManagementNuGet package and are part of the default HTTP endpoint for- Akka.Management. All- Akka.Management.Cluster.BootstrapNuGet package versions below 1.0.0 should now be considered deprecated.
<a id="akkadiscovery-plugins"></a>
Akka.Discovery Plugins
- Akka.Discovery.AwsApi- provides dynamic node discovery service for AWS EC2 environment. Documentation can be read here
- Akka.Discovery.Azure- provides a dynamic node discovery service for Azure PaaS ecosystem. Documentation can be read here
- Akka.Discovery.KubernetesApi- provides a dynamic node discovery service for Kubernetes clusters. Documentation can be read here
<a id="akkacoordination-plugins"></a>
Akka.Coordination Plugins
- Akka.Coordination.KubernetesApi- provides a lease-based distributed lock mechanism backed by Kubernetes CRD for Akka.NET Split Brain Resolver, Akka.Cluster.Sharding, and Akka.Cluster.Singleton. Documentation can be read here
- Akka.Coordination.Azure- provides a lease-based distributed lock mechanism backed by Microsoft Azure Blob Storage for Akka.NET Split Brain Resolver, Akka.Cluster.Sharding, and Akka.Cluster.Singleton. Documentation can be read here
<a id="summary"></a>
Summary
We want to make Akka.NET something that can be instantiated more typically per the patterns often used with the Microsoft.Extensions.Hosting APIs that are common throughout .NET.
using Akka.Hosting;
using Akka.Actor;
using Akka.Actor.Dsl;
using Akka.Cluster.Hosting;
using Akka.Remote.Hosting;
var builder = WebApplication.CreateBuilder(args);
builder.Services.AddAkka("MyActorSystem", configurationBuilder =>
{
    configurationBuilder
        .WithRemoting("localhost", 8110)
        .WithClustering(new ClusterOptions(){ Roles = new[]{ "myRole" },
            SeedNodes = new[]{ Address.Parse("akka.tcp://MyActorSystem@localhost:8110")}})
        .WithActors((system, registry) =>
    {
        var echo = system.ActorOf(act =>
        {
            act.ReceiveAny((o, context) =>
            {
                context.Sender.Tell($"{context.Self} rcv {o}");
            });
        }, "echo");
        registry.TryRegister<Echo>(echo); // register for DI
    });
});
var app = builder.Build();
app.MapGet("/", async (context) =>
{
    var echo = context.RequestServices.GetRequiredService<ActorRegistry>().Get<Echo>();
    var body = await echo.Ask<string>(context.TraceIdentifier, context.RequestAborted).ConfigureAwait(false);
    await context.Response.WriteAsync(body);
});
app.Run();
No HOCON. Automatically runs all Akka.NET application lifecycle best practices behind the scene. Automatically binds the ActorSystem and the ActorRegistry, another new 1.5 feature, to the IServiceCollection so they can be safely consumed via both actors and non-Akka.NET parts of users' .NET applications.
This should be open to extension in other child plugins, such as Akka.Persistence.SqlServer:
builder.Services.AddAkka("MyActorSystem", configurationBuilder =>
{
    configurationBuilder
        .WithRemoting("localhost", 8110)
        .WithClustering(new ClusterOptions()
        {
            Roles = new[] { "myRole" },
            SeedNodes = new[] { Address.Parse("akka.tcp://MyActorSystem@localhost:8110") }
        })
        .WithSqlServerPersistence(builder.Configuration.GetConnectionString("sqlServerLocal"))
        .WithShardRegion<UserActionsEntity>("userActions", s => UserActionsEntity.Props(s),
            new UserMessageExtractor(),
            new ShardOptions(){ StateStoreMode = StateStoreMode.DData, Role = "myRole"})
        .WithActors((system, registry) =>
        {
            var userActionsShard = registry.Get<UserActionsEntity>();
            var indexer = system.ActorOf(Props.Create(() => new Indexer(userActionsShard)), "index");
            registry.TryRegister<Index>(indexer); // register for DI
        });
})
<a id="dependency-injection-outside-and-inside-akkanet"></a>
Dependency Injection Outside and Inside Akka.NET
One of the other design goals of Akka.Hosting is to make the dependency injection experience with Akka.NET as seamless as any other .NET technology. We accomplish this through two new APIs:
- The ActorRegistry, a DI container that is designed to be populated withTypes for keys andIActorRefs for values, just like theIServiceCollectiondoes for ASP.NET services.
- The IRequiredActor<TKey>- you can place this type the constructor of any dependency injected resource and it will automatically resolve a reference to the actor stored inside theActorRegistrywithTKey. This is how we inject actors into ASP.NET, SignalR, gRPC, and other Akka.NET actors!
N.B. The
ActorRegistryand theActorSystemare automatically registered with theIServiceCollection/IServiceProviderassociated with your application.
<a id="registering-actors-with-the-actorregistry"></a>
Registering Actors with the ActorRegistry
As part of Akka.Hosting, we need to provide a means of making it easy to pass around top-level IActorRefs via dependency injection both within the ActorSystem and outside of it.
The ActorRegistry will fulfill this role through a set of generic, typed methods that make storage and retrieval of long-lived IActorRefs easy and coherent:
- Fetch ActorRegistry from ActorSystem manually
var registry = ActorRegistry.For(myActorSystem); 
- Provided by the actor builder
builder.Services.AddAkka("MyActorSystem", configurationBuilder =>
{
    configurationBuilder
        .WithActors((system, actorRegistry) =>
        {
            var actor = system.ActorOf(Props.Create(() => new MyActor));
            actorRegistry.TryRegister<MyActor>(actor); // register actor for DI
        });
});
- Obtaining the IActorRefmanually
var registry = ActorRegistry.For(myActorSystem); 
registry.Get<Index>(); // use in DI
<a id="injecting-actors-with-irequiredactortkey"></a>
Injecting Actors with IRequiredActor<TKey>
Suppose we have a class that depends on having a reference to a top-level actor, a router, a ShardRegion, or perhaps a ClusterSingleton (common types of actors that often interface with non-Akka.NET parts of a .NET application):
public sealed class MyConsumer
{
    private readonly IActorRef _actor;
    public MyConsumer(IRequiredActor<MyActorType> actor)
    {
        _actor = actor.ActorRef;
    }
    public async Task<string> Say(string word)
    {
        return await _actor.Ask<string>(word, TimeSpan.FromSeconds(3));
    }
}
The IRequiredActor<MyActorType> will cause the Microsoft.Extensions.DependencyInjection mechanism to resolve MyActorType from the ActorRegistry and inject it into the IRequired<Actor<MyActorType> instance passed into MyConsumer.
The IRequiredActor<TActor> exposes a single property:
public interface IRequiredActor<TActor>
{
    /// <summary>
    /// The underlying actor resolved via <see cref="ActorRegistry"/> using the given <see cref="TActor"/> key.
    /// </summary>
    IActorRef ActorRef { get; }
}
By default, you can automatically resolve any actors registered with the ActorRegistry without having to declare anything special on your IServiceCollection:
using var host = new HostBuilder()
  .ConfigureServices(services =>
  {
      services.AddAkka("MySys", (builder, provider) =>
      {
          builder.WithActors((system, registry) =>
          {
              var actor = system.ActorOf(Props.Create(() => new MyActorType()), "myactor");
              registry.Register<MyActorType>(actor);
          });
      });
      services.AddScoped<MyConsumer>();
  })
  .Build();
  await host.StartAsync();
Adding your actor and your type key into the ActorRegistry is sufficient - no additional DI registration is required to access the IRequiredActor<TActor> for that type.
<a id="resolving-irequiredactortkey-within-akkanet"></a>
Resolving IRequiredActor<TKey> within Akka.NET
Akka.NET does not use dependency injection to start actors by default primarily because actor lifetime is unbounded by default - this means reasoning about the scope of injected dependencies isn't trivial. ASP.NET, by contrast, is trivial: all HTTP requests are request-scoped and all web socket connections are connection-scoped - these are objects have bounded and typically short lifetimes.
Therefore, users have to explicitly signal when they want to use Microsoft.Extensions.DependencyInjection via the IDependencyResolver interface in Akka.DependencyInjection - which is easy to do in most of the Akka.Hosting APIs for starting actors:
var builder = WebApplication.CreateBuilder(args);
builder.Services.AddScoped<IReplyGenerator, DefaultReplyGenerator>();
builder.Services.AddAkka("MyActorSystem", configurationBuilder =>
{
    configurationBuilder
        .WithRemoting(hostname: "localhost", port: 8110)
        .WithClustering(new ClusterOptions{SeedNodes = new []{ "akka.tcp://MyActorSystem@localhost:8110", }})
        .WithShardRegion<Echo>(
            typeName: "myRegion",
            entityPropsFactory: (_, _, resolver) =>
            {
                // uses DI to inject `IReplyGenerator` into EchoActor
                return s => resolver.Props<EchoActor>(s);
            },
            extractEntityId: ExtractEntityId,
            extractShardId: ExtractShardId,
            shardOptions: new ShardOptions());
});
The dependencyResolver.Props<MySingletonDiActor>() call will leverage the ActorSystem's built-in IDependencyResolver to instantiate the MySingletonDiActor and inject it with all of the necessary dependencies, including IRequiredActor<TKey>.
<a id="microsoftextensionsconfiguration-integration"></a>
Microsoft.Extensions.Configuration Integration
<a id="iconfiguration-to-hocon-adapter"></a>
IConfiguration To HOCON Adapter
The AddHocon extension method can convert Microsoft.Extensions.Configuration IConfiguration into HOCON Config instance and adds it to the ActorSystem being configured.
- Unlike IConfiguration, all HOCON key names are case sensitive.
- Unless enclosed inside double quotes, all "." (period) in the IConfigurationkey will be treated as a HOCON object key separator
- IConfigurationdoes not support object composition, if you declare the same key multiple times inside multiple configuration providers (JSON/environment variables/etc), only the last one declared will take effect.
- For environment variable configuration provider:
- "__" (double underline) will be converted to "." (period).
- "_" (single underline) will be converted to "-" (dash).
- If all keys are composed of integer parseable keys, the whole object is treated as an array
 
Example:
appsettings.json:
{
  "Logging": {
    "LogLevel": {
      "Default": "Information",
      "Microsoft.AspNetCore": "Warning"
    }
  },
  "AllowedHosts": "*",
  "akka": {
    "cluster": {
      "roles": [ "front-end", "back-end" ],
      "min-nr-of-members": 3,
      "log-info": true
    }
  }    
}
Environment variables:
AKKA__ACTOR__TELEMETRY__ENABLE=true
AKKA__CLUSTER__SEED_NODES__0=akka.tcp//mySystem@localhost:4055
AKKA__CLUSTER__SEED_NODES__1=akka.tcp//mySystem@localhost:4056
AKKA__CLUSTER__SEED_NODE_TIMEOUT=00:00:05
Note the integer parseable key inside the seed-nodes configuration, seed-nodes will be parsed as an array. These environment variables will be parsed as HOCON settings:
akka {
  actor {
    telemetry.enabled: on
  }
  cluster {
    seed-nodes: [ 
      "akka.tcp//mySystem@localhost:4055",
      "akka.tcp//mySystem@localhost:4056" 
    ]
    seed-node-timeout: 5s
  }
}
Example code:
/*
Both appsettings.json and environment variables are combined
into HOCON configuration:
akka {
  actor.telemetry.enabled: on
  cluster {
    roles: [ "front-end", "back-end" ]
    seed-nodes: [ 
      "akka.tcp//mySystem@localhost:4055",
      "akka.tcp//mySystem@localhost:4056" 
    ]
    min-nr-of-members: 3
    seed-node-timeout: 5s
    log-info: true
  }
}
*/
var host = new HostBuilder()
    .ConfigureHostConfiguration(builder =>
    {
        // Setup IConfiguration to load from appsettings.json and
        // environment variables
        builder
            .AddJsonFile("appsettings.json")
            .AddEnvironmentVariables();
    })
    .ConfigureServices((context, services) =>
    {
        services.AddAkka("mySystem", (builder, provider) =>
            {
                // convert IConfiguration to HOCON
                var akkaConfig = context.Configuration.GetSection("akka");
                builder.AddHocon(akkaConfig, HoconAddMode.Prepend); 
            });
    });
Special Characters And Case Sensitivity
This advanced usage of the IConfiguration adapter is solely used for edge cases where HOCON key capitalization needs to be preserved, such as declaring serialization binding. Note that when you're using this feature, none of the keys are normalized, you will have to write all of your keys in a HOCON compatible way.
appsettings.json:
{
  "Logging": {
    "LogLevel": {
      "Default": "Information",
      "Microsoft.AspNetCore": "Warning"
    }
  },
  "AllowedHosts": "*",
  "akka": {
    "\"Key.With.Dots\"": "Key Value",
    "cluster": {
      "roles": [ "front-end", "back-end" ],
      "min-nr-of-members": 3,
      "log-info": true
    }
  }    
}
Note that "Key.With.Dots" needs to be inside escaped double quotes, this is a HOCON requirement that preserves the "." (period) inside HOCON property names.
Environment variables:
PS C:/> [Environment]::SetEnvironmentVariable('akka__actor__telemetry__enabled', 'true')
PS C:/> [Environment]::SetEnvironmentVariable('akka__actor__serialization_bindings__"System.Object"', 'hyperion')
PS C:/> [Environment]::SetEnvironmentVariable('akka__cluster__seed_nodes__0', 'akka.tcp//mySystem@localhost:4055')
PS C:/> [Environment]::SetEnvironmentVariable('akka__cluster__seed_nodes__1', 'akka.tcp//mySystem@localhost:4056')
PS C:/> [Environment]::SetEnvironmentVariable('akka__cluster__seed_node_timeout', '00:00:05')
Note that:
- All of the environment variable names are in lower case, except "System.Object" where it needs to preserve name capitalization.
- To set serialization binding via environment variable, you have to use "." (period) instead of "__" (double underscore), this might be problematic for some shell scripts and there is no way of getting around this.
Example code:
/*
Both appsettings.json and environment variables are combined
into HOCON configuration:
akka {
  "Key.With.Dots": Key Value
  actor {
    telemetry.enabled: on
    serialization-bindings {
      "System.Object" = hyperion
    }
  }
  cluster {
    roles: [ "front-end", "back-end" ]
    seed-nodes: [ 
      "akka.tcp//mySystem@localhost:4055",
      "akka.tcp//mySystem@localhost:4056" 
    ]
    min-nr-of-members: 3
    seed-node-timeout: 5s
    log-info: true
  }
}
*/
var host = new HostBuilder()
    .ConfigureHostConfiguration(builder =>
    {
        // Setup IConfiguration to load from appsettings.json and
        // environment variables
        builder
            .AddJsonFile("appsettings.json")
            .AddEnvironmentVariables();
    })
    .ConfigureServices((context, services) =>
    {
        services.AddAkka("mySystem", (builder, provider) =>
            {
                // convert IConfiguration to HOCON
                var akkaConfig = context.Configuration.GetSection("akka");
                // Note the last method argument is set to false
                builder.AddHocon(akkaConfig, HoconAddMode.Prepend, false); 
            });
    });
<a id="microsoftextensionslogging-integration"></a>
Microsoft.Extensions.Logging Integration
<a id="logger-configuration-support"></a>
Logger Configuration Support
You can use AkkaConfigurationBuilder extension method called ConfigureLoggers(Action<LoggerConfigBuilder>) to configure how Akka.NET logger behave.
Example:
builder.Services.AddAkka("MyActorSystem", configurationBuilder =>
{
    configurationBuilder
        .ConfigureLoggers(setup =>
        {
            // Example: This sets the minimum log level
            setup.LogLevel = LogLevel.DebugLevel;
            
            // Example: Clear all loggers
            setup.ClearLoggers();
            
            // Example: Add the default logger
            // NOTE: You can also use setup.AddLogger<DefaultLogger>();
            setup.AddDefaultLogger();
            
            // Example: Add the ILoggerFactory logger
            // NOTE:
            //   - You can also use setup.AddLogger<LoggerFactoryLogger>();
            //   - To use a specific ILoggerFactory instance, you can use setup.AddLoggerFactory(myILoggerFactory);
            setup.AddLoggerFactory();
            
            // Example: Adding a serilog logger
            setup.AddLogger<SerilogLogger>();
        })
        .WithActors((system, registry) =>
        {
            var echo = system.ActorOf(act =>
            {
                act.ReceiveAny((o, context) =>
                {
                    Logging.GetLogger(context.System, "echo").Info($"Actor received {o}");
                    context.Sender.Tell($"{context.Self} rcv {o}");
                });
            }, "echo");
            registry.TryRegister<Echo>(echo); // register for DI
        });
});
A complete code sample can be viewed here.
Exposed properties are:
- LogLevel: Configure the Akka.NET minimum log level filter, defaults to- InfoLevel
- LogConfigOnStart: When set to true, Akka.NET will log the complete HOCON settings it is using at start up, this can then be used for debugging purposes.
Currently supported logger methods:
- ClearLoggers(): Clear all registered logger types.
- AddLogger<TLogger>(): Add a logger type by providing its class type.
- AddDefaultLogger(): Add the default Akka.NET console logger.
- AddLoggerFactory(): Add the new- ILoggerFactorylogger.
<a id="microsoftextensionsloggingiloggerfactory-logging-support"></a>
Microsoft.Extensions.Logging.ILoggerFactory Logging Support
You can now use ILoggerFactory from Microsoft.Extensions.Logging as one of the sinks for Akka.NET logger. This logger will use the ILoggerFactory service set up inside the dependency injection ServiceProvider as its sink.
<a id="serilog-support"></a>
Serilog Message Formatting Support
If you're interested in using Akka.Logger.Serilog, you can set Akka.NET's default logger and log message formatter to allow for Serilog's semantic logging to be enabled by default:
builder.Services.AddAkka("MyActorSystem", configurationBuilder =>
{
    configurationBuilder
        .ConfigureLoggers(setup =>
        {
            // Example: This sets the minimum log level
            setup.LogLevel = LogLevel.DebugLevel;
            
            // Example: Clear all loggers
            setup.ClearLoggers();
            
            // Add Serilog
            setup.AddLogger<SerilogLogger>();
            
            // use the default SerilogFormatter everywhere
            setup.WithDefaultLogMessageFormatter<SerilogLogMessageFormatter>();
        })
        .WithActors((system, registry) =>
        {
            var echo = system.ActorOf(act =>
            {
                act.ReceiveAny((o, context) =>
                {
                    Logging.GetLogger(context.System, "echo").Info($"Actor received {o}");
                    context.Sender.Tell($"{context.Self} rcv {o}");
                });
            }, "echo");
            registry.TryRegister<Echo>(echo); // register for DI
        });
});
This will eliminate the need to have to do Context.GetLogger<SerilogLoggingAdapter>() everywhere you want to use it.
<a id="microsoftextensionslogging-log-event-filtering"></a>
Microsoft.Extensions.Logging Log Event Filtering
There will be two log event filters acting on the final log input, the Akka.NET akka.loglevel setting and the Microsoft.Extensions.Logging settings, make sure that both are set correctly or some log messages will be missing.
To set up the Microsoft.Extensions.Logging log filtering, you will need to edit the appsettings.json file. Note that we also set the Akka namespace to be filtered at debug level in the example below.
{
  "Logging": {
    "LogLevel": {
      "Default": "Information",
      "Microsoft": "Warning",
      "Microsoft.Hosting.Lifetime": "Information",
      "Akka": "Debug"
    }
  }
}
<a id="filtering-logs"></a>
Filtering Logs In Akka.NET
In Akka.NET 1.5.21, we introduced log filtering for log messages based on the LogSource or the content of a log message. Depending on your coding style, you can use this feature in Akka.Hosting in several ways.
- Using The - LoggerConfigBuilder.WithLogFilter()method.- The - LoggerConfigBuilder.WithLogFilter()method lets you set up the- LogFilterBuilder- builder.Services.AddAkka("MyActorSystem", configurationBuilder => { configurationBuilder .ConfigureLoggers(loggerConfigBuilder => { loggerConfigBuilder.WithLogFilter(filterBuilder => { filterBuilder.ExcludeMessageContaining("Test"); }); }); });
- Setting the - loggerConfigBuilder.LogFilterBuilderproperty directly.- builder.Services.AddAkka("MyActorSystem", configurationBuilder => { configurationBuilder .ConfigureLoggers(loggerConfigBuilder => { loggerConfigBuilder.LogFilterBuilder = new LogFilterBuilder(); loggerConfigBuilder.LogFilterBuilder.ExcludeMessageContaining("Test"); }); });
<a id="healthchecks"></a>
Microsoft.Extensions.Diagnostics.HealthChecks Integration
We've recently deprecated Akka.HealthChecks in favor of a simpler, more configurable solution that is built directly into Akka.Hosting: IAkkaHealthCheck and WithAkkaHealthCheck:
 builder
    .WithActorSystemLivenessCheck() // have to opt-in to the built-in health check
    .WithHealthCheck("FooActor alive", async (system, registry, cancellationToken) =>
{
    /*
     * N.B. CancellationToken is set by the call to MSFT.EXT.DIAGNOSTICS.HEALTHCHECK,
     * so that value could be "infinite" by default.
     *
     * Therefore, it might be a really, really good idea to guard this with a non-infinite
     * timeout via a LinkedCancellationToken here.
     */
    try
    {
        var fooActor = await registry.GetAsync<FooActor>(cancellationToken);
        try
        {
            var r = await fooActor.Ask<ActorIdentity>(new Identify("foo"), cancellationToken: cancellationToken);
            if (r.Subject.IsNobody())
                return HealthCheckResult.Unhealthy("FooActor was alive but is now dead");
        }
        catch (Exception e)
        {
            return HealthCheckResult.Degraded("FooActor found but non-responsive", e);
        }
    }
    catch (Exception e2)
    {
        return HealthCheckResult.Unhealthy("FooActor not found in registry", e2);
    }
    return HealthCheckResult.Healthy("fooActor found and responsive");
});
These health checks and any other you register using one of the WithHealthCheck overloads on the AkkaConfigurationBuilder will automatically be registered with the Microsoft.Extensions.Diagnostics.HealthCheckService and will be called just like any other ASP.NET Core, Entity Framework, etc health check.
<a id="healthcheck-di"></a>
Dependency Injected Health Checks
As of version 1.5.51, Akka.Hosting supports dependency injection for health checks. You can create custom health check classes that implement IAkkaHealthCheck and have dependencies injected from the DI container:
// Define a custom health check with DI support
public class MyHealthCheckWithDependencies : IAkkaHealthCheck
{
    private readonly ILogger<MyHealthCheckWithDependencies> _logger;
    private readonly IMyService _myService;
    public MyHealthCheckWithDependencies(
        ILogger<MyHealthCheckWithDependencies> logger,
        IMyService myService)
    {
        _logger = logger;
        _myService = myService;
    }
    public async Task<HealthCheckResult> CheckHealthAsync(
        AkkaHealthCheckContext context,
        CancellationToken cancellationToken = default)
    {
        try
        {
            _logger.LogInformation("Running health check with DI");
            var isHealthy = await _myService.CheckServiceHealthAsync(cancellationToken);
            return isHealthy
                ? HealthCheckResult.Healthy("Service is healthy")
                : HealthCheckResult.Unhealthy("Service is not healthy");
        }
        catch (Exception ex)
        {
            _logger.LogError(ex, "Health check failed");
            return HealthCheckResult.Unhealthy($"Health check failed: {ex.Message}");
        }
    }
}
// Register the health check using the generic WithHealthCheck<T>() method
builder
    .WithActorSystemLivenessCheck()
    .WithHealthCheck<MyHealthCheckWithDependencies>(
        name: "MyServiceHealth",
        failureStatus: HealthStatus.Degraded,
        tags: new[] { "ready", "service" },
        timeout: TimeSpan.FromSeconds(5));
The health check type will be resolved from the DI container when the health check is executed, allowing you to leverage constructor injection for any dependencies your health check needs. The health check instance itself doesn't need to be registered in DI - Akka.Hosting will automatically resolve it using ActivatorUtilities.GetServiceOrCreateInstance<T>().
<a id="healthcheck-builtin"></a>
Built-in Health Checks
![NOTE] All Akka.NET health checks will be tagged with the
akkatag, so they can easily be filtered via the health check endpoints.
Akka.Hosting and its other packages ship with some built-in health checks:
- WithActorSystemLivenessCheck()- a liveness probe that will fail if the- ActorSystemis terminated. Generally, Akka.Hosting will try to shut down your process anyway if the- ActorSystemdies.
- WithAkkaClusterReadinessCheck- if you are an Akka.Cluster user, this health check will return- HealthStatus.Unhealthyuntil you successfully join a cluster - that way you can stop load-balancers and other devices from routing traffic to this node until it has access to the cluster. This readiness check is also tagged with the- readytag for filtering purposes.
- Akka.Persistence Health Checks - verify that persistence plugins (journals and snapshot stores) are properly initialized and accessible. These health checks use the built-in Akka.Persistence health check APIs to validate plugin connectivity and functionality. Health checks are tagged with akka,persistence, and eitherjournalorsnapshot-storefor filtering purposes.
Configuring Persistence Health Checks
You can add health checks for your persistence plugins using the .WithHealthCheck() method when configuring journals and snapshot stores:
builder.Services.AddAkka("MyActorSystem", configurationBuilder =>
{
    configurationBuilder
        // Journal with health check
        .WithJournal(
            new SqlServerJournalOptions
            {
                ConnectionString = "...",
                IsDefaultPlugin = true
            },
            journal => journal
                .AddWriteEventAdapter<MyAdapter>("adapter", new[] { typeof(MyEvent) })
                .WithHealthCheck(
                    unHealthyStatus: HealthStatus.Degraded,
                    name: "sql-journal"))
        // Snapshot store with health check
        .WithSnapshot(
            new SqlServerSnapshotOptions
            {
                ConnectionString = "...",
                IsDefaultPlugin = true
            },
            snapshot => snapshot
                .WithHealthCheck(
                    unHealthyStatus: HealthStatus.Degraded,
                    name: "sql-snapshot"));
});
You can also configure both journal and snapshot health checks together:
builder.Services.AddAkka("MyActorSystem", configurationBuilder =>
{
    configurationBuilder
        .WithJournalAndSnapshot(
            new SqlServerJournalOptions
            {
                ConnectionString = "...",
                IsDefaultPlugin = true
            },
            new SqlServerSnapshotOptions
            {
                ConnectionString = "...",
                IsDefaultPlugin = true
            },
            journal => journal.WithHealthCheck(),
            snapshot => snapshot.WithHealthCheck());
});
The health checks will automatically:
- Verify the persistence plugin is configured correctly
- Test connectivity to the underlying storage (database, cloud storage, etc.)
- Report Healthywhen the plugin is operational
- Report DegradedorUnhealthy(configurable) when issues are detected
| Product | Versions Compatible and additional computed target framework versions. | 
|---|---|
| .NET | net5.0 was computed. net5.0-windows was computed. 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 was computed. 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 was computed. 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. | 
| .NET Core | netcoreapp2.0 was computed. netcoreapp2.1 was computed. netcoreapp2.2 was computed. netcoreapp3.0 was computed. netcoreapp3.1 was computed. | 
| .NET Standard | netstandard2.0 is compatible. netstandard2.1 was computed. | 
| .NET Framework | net461 was computed. net462 was computed. net463 was computed. net47 was computed. net471 was computed. net472 was computed. net48 was computed. net481 was computed. | 
| MonoAndroid | monoandroid was computed. | 
| MonoMac | monomac was computed. | 
| MonoTouch | monotouch was computed. | 
| Tizen | tizen40 was computed. tizen60 was computed. | 
| Xamarin.iOS | xamarinios was computed. | 
| Xamarin.Mac | xamarinmac was computed. | 
| Xamarin.TVOS | xamarintvos was computed. | 
| Xamarin.WatchOS | xamarinwatchos was computed. | 
- 
                                                    .NETStandard 2.0- Akka.DependencyInjection (>= 1.5.51)
- Akka.Streams (>= 1.5.51)
- Microsoft.Extensions.Configuration.Abstractions (>= 6.0.0)
- Microsoft.Extensions.Diagnostics.HealthChecks (>= 6.0.0)
- Microsoft.Extensions.Hosting.Abstractions (>= 6.0.0)
- Microsoft.Extensions.Logging.Abstractions (>= 6.0.0)
 
- 
                                                    net6.0- Akka.DependencyInjection (>= 1.5.51)
- Akka.Streams (>= 1.5.51)
- Microsoft.Extensions.Configuration.Abstractions (>= 6.0.0)
- Microsoft.Extensions.Diagnostics.HealthChecks (>= 6.0.0)
- Microsoft.Extensions.Hosting.Abstractions (>= 6.0.0)
- Microsoft.Extensions.Logging.Abstractions (>= 6.0.0)
 
NuGet packages (26)
Showing the top 5 NuGet packages that depend on Akka.Hosting:
| Package | Downloads | 
|---|---|
| Petabridge.Cmd.Host Host engine for the Petabridge.Cmd CLI for managing Akka.NET apps and clusters. Used to load available commands into the cluster itself. | |
| Akka.Persistence.Hosting Akka.Persistence Microsoft.Extensions.Hosting support. | |
| Akka.Remote.Hosting Akka.Remote Microsoft.Extensions.Hosting support. | |
| Akka.Management Akka cluster management module for Akka.NET | |
| Akka.HealthCheck.Hosting Package Description | 
GitHub repositories (4)
Showing the top 4 popular GitHub repositories that depend on Akka.Hosting:
| Repository | Stars | 
|---|---|
| petabridge/akka-bootcamp 
                                                            Self-paced training course to learn Akka.NET fundamentals from scratch
                                                         | |
| petabridge/akkadotnet-code-samples 
                                                            Akka.NET professional reference code samples
                                                         | |
| Aaronontheweb/mssql-mcp 
                                                            MSSQL Server MCP implementation written in C#
                                                         | |
| petabridge/TurboMqtt 
                                                            The fastest Message Queue Telemetry Transport (MQTT) client for .NET.
                                                         | 
| Version | Downloads | Last Updated | 
|---|---|---|
| 1.5.53 | 6,590 | 10/14/2025 | 
| 1.5.52 | 6,550 | 10/9/2025 | 
| 1.5.51.1 | 15,985 | 10/2/2025 | 
| 1.5.51 | 1,421 | 10/1/2025 | 
| 1.5.50 | 8,579 | 9/23/2025 | 
| 1.5.49 | 6,386 | 9/15/2025 | 
| 1.5.48.1 | 7,376 | 9/2/2025 | 
| 1.5.48 | 14,061 | 8/22/2025 | 
| 1.5.47-beta1 | 749 | 7/24/2025 | 
| 1.5.46 | 19,241 | 7/17/2025 | 
| 1.5.45 | 24,984 | 7/8/2025 | 
| 1.5.44 | 26,414 | 6/23/2025 | 
| 1.5.42 | 46,449 | 5/21/2025 | 
| 1.5.40 | 71,179 | 3/24/2025 | 
| 1.5.39 | 11,516 | 3/17/2025 | 
| 1.5.38 | 116,419 | 2/17/2025 | 
| 1.5.37.2 | 13,093 | 2/5/2025 | 
| 1.5.37.1 | 7,798 | 2/5/2025 | 
| 1.5.37 | 109,640 | 1/23/2025 | 
| 1.5.36 | 3,469 | 1/22/2025 | 
| 1.5.35 | 14,227 | 1/14/2025 | 
| 1.5.34 | 4,692 | 1/7/2025 | 
| 1.5.33 | 55,975 | 12/24/2024 | 
| 1.5.32 | 22,311 | 12/5/2024 | 
| 1.5.31.1 | 33,992 | 11/15/2024 | 
| 1.5.31 | 31,165 | 11/11/2024 | 
| 1.5.30.1 | 23,872 | 10/18/2024 | 
| 1.5.30 | 30,521 | 10/3/2024 | 
| 1.5.29 | 16,237 | 10/1/2024 | 
| 1.5.28 | 115,335 | 9/4/2024 | 
| 1.5.27 | 201,123 | 7/29/2024 | 
| 1.5.25 | 250,483 | 6/17/2024 | 
| 1.5.24 | 16,087 | 6/10/2024 | 
| 1.5.22 | 19,131 | 6/4/2024 | 
| 1.5.20 | 35,782 | 4/30/2024 | 
| 1.5.19 | 45,379 | 4/17/2024 | 
| 1.5.18 | 59,783 | 3/14/2024 | 
| 1.5.17.1 | 17,493 | 3/4/2024 | 
| 1.5.16 | 15,788 | 2/23/2024 | 
| 1.5.15 | 132,058 | 1/10/2024 | 
| 1.5.14 | 8,537 | 1/9/2024 | 
| 1.5.13 | 93,311 | 9/27/2023 | 
| 1.5.12.1 | 77,073 | 8/31/2023 | 
| 1.5.12 | 29,101 | 8/3/2023 | 
| 1.5.8.1 | 118,184 | 7/12/2023 | 
| 1.5.8 | 55,545 | 6/21/2023 | 
| 1.5.7 | 54,124 | 5/23/2023 | 
| 1.5.6.1 | 4,960 | 5/17/2023 | 
| 1.5.6 | 9,063 | 5/10/2023 | 
| 1.5.5 | 32,104 | 5/4/2023 | 
| 1.5.4.1 | 7,062 | 5/1/2023 | 
| 1.5.4 | 6,314 | 4/25/2023 | 
| 1.5.3 | 2,713 | 4/25/2023 | 
| 1.5.2 | 23,571 | 4/6/2023 | 
| 1.5.1.1 | 3,010 | 4/4/2023 | 
| 1.5.1 | 24,664 | 3/16/2023 | 
| 1.5.0 | 34,575 | 3/2/2023 | 
| 1.5.0-beta6 | 1,133 | 3/1/2023 | 
| 1.5.0-beta4 | 700 | 3/1/2023 | 
| 1.5.0-beta3 | 1,029 | 2/28/2023 | 
| 1.5.0-alpha4 | 1,111 | 2/17/2023 | 
| 1.0.3 | 15,644 | 2/8/2023 | 
| 1.0.2 | 4,854 | 1/31/2023 | 
| 1.0.1 | 36,898 | 1/6/2023 | 
| 1.0.0 | 6,546 | 12/28/2022 | 
| 0.5.2-beta1 | 3,899 | 11/28/2022 | 
| 0.5.1 | 28,319 | 10/20/2022 | 
| 0.5.0 | 28,386 | 10/4/2022 | 
| 0.4.3 | 25,728 | 9/10/2022 | 
| 0.4.2 | 21,843 | 8/12/2022 | 
| 0.4.1 | 9,416 | 7/21/2022 | 
| 0.4.0 | 5,118 | 7/18/2022 | 
| 0.3.4 | 6,624 | 6/23/2022 | 
| 0.3.3 | 4,116 | 6/16/2022 | 
| 0.3.2 | 3,623 | 6/13/2022 | 
| 0.3.1 | 56,670 | 6/9/2022 | 
| 0.3.0 | 91,148 | 5/24/2022 | 
| 0.2.2 | 10,287 | 4/10/2022 | 
| 0.2.1 | 3,732 | 4/9/2022 | 
| 0.2.0 | 3,609 | 4/9/2022 | 
| 0.1.5 | 3,747 | 4/6/2022 | 
| 0.1.4 | 3,582 | 4/2/2022 | 
| 0.1.3 | 3,249 | 4/1/2022 | 
| 0.1.2 | 3,183 | 3/31/2022 | 
| 0.1.1 | 3,481 | 3/18/2022 | 
| 0.1.0 | 11,671 | 3/10/2022 | 
**New Features**
* [Added Akka.Persistence health checks](https://github.com/akkadotnet/Akka.Hosting/pull/662) - health check support for Akka.Persistence journal and snapshot stores with unified configuration API
* [Added dependency-injected health checks](https://github.com/akkadotnet/Akka.Hosting/pull/659) - `WithHealthCheck<T>()` generic methods for DI-resolved health checks
**Updates**
* [Bump Akka version from 1.5.50 to 1.5.51](https://github.com/akkadotnet/akka.net/releases/tag/1.5.51)