Prognosis 6.1.0

There is a newer prerelease version of this package available.
See the version list below for details.
dotnet add package Prognosis --version 6.1.0
                    
NuGet\Install-Package Prognosis -Version 6.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="Prognosis" Version="6.1.0" />
                    
For projects that support PackageReference, copy this XML node into the project file to reference the package.
<PackageVersion Include="Prognosis" Version="6.1.0" />
                    
Directory.Packages.props
<PackageReference Include="Prognosis" />
                    
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 Prognosis --version 6.1.0
                    
#r "nuget: Prognosis, 6.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.
#:package Prognosis@6.1.0
                    
#: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=Prognosis&version=6.1.0
                    
Install as a Cake Addin
#tool nuget:?package=Prognosis&version=6.1.0
                    
Install as a Cake Tool

Prognosis

A dependency-aware service health modeling library for .NET.

graph TD
    Store["🛒 Online Store"] -->|"Required"| Checkout["Checkout"]
    Store -->|"Important"| Search["Product Search"]
    Store -->|"Optional"| Reviews["Reviews"]
    Checkout -->|"Required"| Payment["Payment Gateway"]
    Checkout -->|"Required"| Inventory["Inventory"]
    Payment -->|"Important"| Fraud["Fraud Detection"]
    Search -->|"Required"| Index["Search Index"]

    style Store fill:#22c55e,color:#fff
    style Checkout fill:#22c55e,color:#fff
    style Payment fill:#22c55e,color:#fff
    style Inventory fill:#22c55e,color:#fff
    style Fraud fill:#22c55e,color:#fff
    style Search fill:#22c55e,color:#fff
    style Index fill:#22c55e,color:#fff
    style Reviews fill:#22c55e,color:#fff

How it works: each service reports its own health and declares dependencies with an importance level. Prognosis walks the graph and computes the effective status — a Required dependency failing makes the parent unhealthy, an Important one degrades it, and an Optional one is ignored. If Fraud Detection goes down, Payment Gateway becomes degraded, which degrades Checkout, which degrades the whole store. If Payment Gateway itself goes down, Checkout becomes unhealthy — and since it's Required, the store is unhealthy too. If Reviews go down? Nothing happens.

Packages

Package Purpose
Prognosis Core library — health graph modeling, aggregation, monitoring, serialization
Prognosis.Reactive System.Reactive extensions — Rx-based polling, push-triggered reports, diff-based change streams
Prognosis.DependencyInjection Microsoft.Extensions.DependencyInjection integration — assembly scanning, fluent graph builder, hosted monitoring

Key concepts

Health statuses

Status Value Meaning
Healthy 0 Known good
Unknown 1 Not yet probed (startup state)
Degraded 2 Known partial failure
Unhealthy 3 Known failure

Ordered worst-is-highest so comparisons naturally surface the most severe status.

Dependency importance

Importance Propagation rule
Required Dependency status passes through unchanged — an unhealthy dependency makes the parent unhealthy
Important Unhealthy is capped at Degraded for the parent; Unknown and Degraded pass through
Optional Dependency health is ignored entirely
Resilient Like Required, but if at least one sibling Resilient dependency is healthy, unhealthy is capped at Degraded. All Resilient siblings must be unhealthy before the parent becomes unhealthy

Usage patterns

1. Implement IHealthAware on a class you own

Expose a HealthNode property — no forwarding boilerplate:

class CacheService : IHealthAware
{
    public HealthNode HealthNode { get; }

    public CacheService()
    {
        HealthNode = HealthNode.CreateDelegate("Cache",
            () => IsConnected
                ? HealthStatus.Healthy
                : HealthEvaluation.Unhealthy("Redis timeout"));
    }

    public bool IsConnected { get; set; } = true;
}

For services with fine-grained health attributes, use HealthNode.CreateComposite backed by sub-nodes:

class DatabaseService : IHealthAware
{
    public HealthNode HealthNode { get; }

    public bool IsConnected { get; set; } = true;
    public double AverageLatencyMs { get; set; } = 50;
    public double PoolUtilization { get; set; } = 0.3;

    public DatabaseService()
    {
        var connection = HealthNode.CreateDelegate("Database.Connection",
            () => IsConnected
                ? HealthStatus.Healthy
                : HealthEvaluation.Unhealthy("Connection lost"));

        var latency = HealthNode.CreateDelegate("Database.Latency",
            () => AverageLatencyMs switch
            {
                > 500 => HealthEvaluation.Degraded(
                    $"Avg latency {AverageLatencyMs:F0}ms exceeds 500ms threshold"),
                _ => HealthStatus.Healthy,
            });

        var connectionPool = HealthNode.CreateDelegate("Database.ConnectionPool",
            () => PoolUtilization switch
            {
                >= 1.0 => HealthEvaluation.Unhealthy(
                    "Connection pool exhausted"),
                >= 0.9 => HealthEvaluation.Degraded(
                    $"Connection pool at {PoolUtilization:P0} utilization"),
                _ => HealthStatus.Healthy,
            });

        HealthNode = HealthNode.CreateComposite("Database")
            .DependsOn(connection, Importance.Required)
            .DependsOn(latency, Importance.Important)
            .DependsOn(connectionPool, Importance.Required);
    }
}

The sub-nodes show up automatically in CreateReport, RefreshAll, and the JSON output. Reason strings chain from the leaf all the way up:

Database.Latency: Degraded — Avg latency 600ms exceeds 500ms threshold
Database: Degraded — Database.Latency: Avg latency 600ms exceeds 500ms threshold
AuthService: Degraded — Database: Database.Latency: ...

2. Wrap a service you can't modify

Use HealthNode.CreateDelegate with a health-check delegate:

var emailHealth = HealthNode.CreateDelegate("EmailProvider",
    () => client.IsConnected
        ? HealthStatus.Healthy
        : HealthEvaluation.Unhealthy("SMTP connection refused"));

3. Compose the graph

Wire services together with DependsOn:

var authService = HealthNode.CreateDelegate("AuthService")
    .DependsOn(database.HealthNode, Importance.Required)
    .DependsOn(cache.HealthNode, Importance.Important);

var app = HealthNode.CreateComposite("Application")
    .DependsOn(authService, Importance.Required)
    .DependsOn(notifications, Importance.Important);

Resilient dependencies

Use Importance.Resilient when a parent has multiple paths to the same capability (e.g. primary + replica database). Losing one degrades — but doesn't kill — the parent:

// If one goes down but the other is healthy, the parent is degraded (not unhealthy).
// If both go down, the parent becomes unhealthy.
var app = HealthNode.CreateComposite("Application")
    .DependsOn(primaryDb, Importance.Resilient)
    .DependsOn(replicaDb, Importance.Resilient);

Only Resilient-marked siblings participate in the resilience check — Required, Important, and Optional dependencies are unaffected.

Graph operations

var graph = HealthGraph.Create(app);

// Re-evaluate all intrinsic checks and return a fresh report
HealthReport report = graph.RefreshAll();

// The root's aggregated status
HealthSnapshot root = report.Root;

// Return the cached report (cheap, no re-evaluation)
HealthReport cached = graph.CreateReport();

// Refresh a single node (re-evaluates intrinsic check, propagates upward, emits StatusChanged)
app.Refresh();

// Detect circular dependencies
IReadOnlyList<IReadOnlyList<string>> cycles = graph.DetectCycles();

// Diff two reports to find individual service changes
IReadOnlyList<StatusChange> changes = before.DiffTo(after);

Cross-node health reporting

When a node detects a failure that actually belongs to a different node (root-cause attribution), use ReportStatus to push the failure to the correct origin. This ensures all dependents of the origin node are notified via normal propagation — not just the node that detected the problem.

var internet = HealthNode.CreateDelegate("Internet");
var api = HealthNode.CreateDelegate("API")
    .DependsOn(internet, Importance.Required);
var cache = HealthNode.CreateDelegate("Cache")
    .DependsOn(internet, Importance.Required);

When the API service detects a connectivity failure, it reports the failure on the Internet node:

// In the API service's operational code (not the health delegate):
catch (HttpRequestException ex) when (IsConnectivityError(ex))
{
    internet.ReportStatus(HealthEvaluation.Unhealthy("Connectivity lost"));
    // → Internet becomes Unhealthy
    // → API and Cache both become Unhealthy via propagation
}

The reported status acts as the intrinsic evaluation until the next delegate-based refresh (poll tick or explicit Refresh) naturally replaces it — no manual expiration needed.

Observable health monitoring

HealthGraph exposes push-based observables for health state changes and topology mutations:

// Graph-level status changes — emits a HealthReport whenever the effective state changes.
graph.StatusChanged.Subscribe(reportObserver);

// Topology changes — emits when nodes are added or removed.
graph.TopologyChanged.Subscribe(topoObserver);

// Timer-based polling with HealthMonitor
await using var monitor = new HealthMonitor(graph, TimeSpan.FromSeconds(5));
monitor.Start();
monitor.ReportChanged.Subscribe(reportObserver);

// Manual poll (useful for testing or getting initial state)
monitor.Poll();

IObservable<T> is a BCL type — no System.Reactive dependency required. Add System.Reactive only when you want operators like DistinctUntilChanged() or Throttle().

Dependency injection

The Prognosis.DependencyInjection package provides a fluent builder for configuring the health graph within a hosted application:

builder.Services.AddPrognosis(health =>
{
    // Discover all IHealthAware implementations and wire [DependsOn<T>] attributes.
    health.ScanForServices(typeof(Program).Assembly);

    // Wrap a third-party service with a health delegate.
    // Name defaults to typeof(T).Name when omitted.
    health.AddDelegate<ThirdPartyEmailClient>("EmailProvider",
        client => client.IsConnected
            ? HealthStatus.Healthy
            : HealthEvaluation.Unhealthy("SMTP refused"));

    // Define composite aggregation nodes.
    health.AddComposite(ServiceNames.NotificationSystem, n =>
    {
        n.DependsOn(nameof(MessageQueueService), Importance.Required);
        n.DependsOn("EmailProvider", Importance.Optional);
    });

    health.AddComposite(ServiceNames.Application, app =>
    {
        app.DependsOn<AuthService>(Importance.Required);
        app.DependsOn(ServiceNames.NotificationSystem, Importance.Important);
    });

    // Designate the root of the graph. When only one root is declared,
    // a plain HealthGraph singleton is registered.
    health.MarkAsRoot(ServiceNames.Application);

    health.UseMonitor(TimeSpan.FromSeconds(30));
});
Multiple roots (shared nodes, separate graphs)

Call MarkAsRoot more than once to materialize several graphs from a single shared node pool. Each graph is registered as a keyed HealthGraph (keyed by the root name). Use the generic MarkAsRoot<T>() overload to also register a strongly-typed HealthGraph<T> for consumers that don't have keyed service support:

builder.Services.AddPrognosis(health =>
{
    health.ScanForServices(typeof(Program).Assembly);

    health.AddComposite(ServiceNames.OpsDashboard, ops =>
    {
        ops.DependsOn<DatabaseService>(Importance.Required);
        ops.DependsOn<CacheService>(Importance.Required);
    });

    health.AddComposite(ServiceNames.CustomerView, cust =>
    {
        cust.DependsOn<AuthService>(Importance.Required);
    });

    // Each MarkAsRoot call produces a separate HealthGraph.
    // Nodes (e.g. DatabaseService) are shared across graphs.
    health.MarkAsRoot<OpsDashboard>();      // registers keyed + HealthGraph<OpsDashboard>
    health.MarkAsRoot<CustomerView>();      // registers keyed + HealthGraph<CustomerView>
});

// Keyed resolution (requires Microsoft.Extensions.DependencyInjection 8+):
var opsGraph    = sp.GetRequiredKeyedService<HealthGraph>("OpsDashboard");
var custGraph   = sp.GetRequiredKeyedService<HealthGraph>("CustomerView");

// Generic resolution (works on any DI container):
var opsGraph    = sp.GetRequiredService<HealthGraph<OpsDashboard>>().Graph;
var custGraph   = sp.GetRequiredService<HealthGraph<CustomerView>>().Graph;

Declare dependency edges on classes you own with attributes:

[DependsOn<DatabaseService>(Importance.Required)]
[DependsOn<CacheService>(Importance.Important)]
class AuthService : IHealthAware
{
    public HealthNode HealthNode { get; } = HealthNode.CreateDelegate("AuthService");
}

Inject HealthGraph to access the materialized graph at runtime:

var graph = serviceProvider.GetRequiredService<HealthGraph>();
var report = graph.CreateReport();

// Type-safe lookup — uses typeof(AuthService).Name as key.
if (graph.TryGetNode<AuthService>(out var auth))
    Console.WriteLine($"AuthService has {auth.Dependencies.Count} deps");

// String-based lookup still available.
HealthNode dbService = graph["Database"];

Reactive extensions

The Prognosis.Reactive package provides Rx-based alternatives to polling. All extensions operate on HealthGraph:

var graph = HealthGraph.Create(app);

// Timer-driven polling — emits HealthReport on change.
graph.PollHealthReport(TimeSpan.FromSeconds(30))
    .Subscribe(report => Console.WriteLine(report.Nodes.Count));

// Push-triggered — reacts to StatusChanged, no polling delay.
graph.ObserveHealthReport()
    .Subscribe(report => Console.WriteLine(report.Nodes.Count));

// Diff-based change stream — composable with any report source.
graph.PollHealthReport(TimeSpan.FromSeconds(30))
    .SelectHealthChanges()
    .Subscribe(change =>
        Console.WriteLine($"{change.Name}: {change.Previous} → {change.Current}"));

Sharing streams across subscribers

The Rx helpers produce cold observables — each subscription runs its own pipeline. To share a single evaluation across multiple subscribers, use standard Rx multicast operators directly: Publish().RefCount() or Replay(1).RefCount().

Serialization

Both enums use [JsonStringEnumConverter] so they serialize as "Healthy" / "Degraded" / etc. The HealthReport and HealthSnapshot records are designed as wire-friendly DTOs:

{
  "Nodes": [
    { "Name": "Database.Connection", "Status": "Healthy" },
    { "Name": "Database.Latency", "Status": "Healthy" },
    { "Name": "Database.ConnectionPool", "Status": "Healthy" },
    { "Name": "Database", "Status": "Healthy" },
    { "Name": "AuthService", "Status": "Healthy" }
  ]
}

Project structure

Core (Prognosis)

File Purpose
HealthNode.cs Sealed class — Name, Dependencies, Parents, DependsOn(), RemoveDependency(), Refresh(), ReportStatus(), factory methods (CreateDelegate, CreateComposite)
IHealthAware.cs Marker interface — implement on your classes with a single HealthNode property
HealthStatus.cs HealthyUnknownDegradedUnhealthy enum
HealthEvaluation.cs Status + optional reason pair, with implicit conversion from HealthStatus
Importance.cs Required, Important, Optional, Resilient enum
HealthDependency.cs Record linking a HealthNode with its importance
HealthReport.cs Serialization-ready report DTO with DiffTo for change detection
HealthSnapshot.cs Serialization-ready per-service snapshot DTO
StatusChange.cs Record describing a single service's status transition
HealthReportComparer.cs IEqualityComparer<HealthReport> for deduplicating reports
HealthMonitor.cs Timer-based poller with IObservable<HealthReport>

Reactive extensions (Prognosis.Reactive)

File Purpose
HealthRxExtensions.cs PollHealthReport, ObserveHealthReport, SelectServiceChanges
HealthRxShared.cs CreateSharedReportStream, CreateSharedObserveStream, ShareStrategy

Dependency injection (Prognosis.DependencyInjection)

File Purpose
ServiceCollectionExtensions.cs AddPrognosis entry point — assembly scanning and graph materialization
PrognosisBuilder.cs Fluent builder — ScanForServices, AddDelegate<T>, AddComposite, MarkAsRoot
DependencyConfigurator.cs Fluent edge declaration — DependsOn<T>, DependsOn(name)
DependsOnAttribute.cs [DependsOn<T>] attribute for declarative dependency edges
HealthGraph.cs Type forwarder for core HealthGraph (Root, indexer, CreateReport())
HealthGraphOfT.cs HealthGraph<TRoot> typed wrapper for multi-root DI resolution
PrognosisMonitorExtensions.cs UseMonitor extension + IHostedService adapter

Requirements

  • .NET Standard 2.0 or .NET Standard 2.1 compatible runtime (.NET Framework 4.6.1+, .NET Core 2.0+, .NET 5+)
  • System.Text.Json (bundled as a dependency)
  • Microsoft.Bcl.AsyncInterfaces (netstandard2.0 only, bundled as a dependency)
Product Compatible and additional computed target framework versions.
.NET net5.0 was computed.  net5.0-windows was computed.  net6.0 was computed.  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 is compatible. 
.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. 
Compatible target framework(s)
Included target framework(s) (in package)
Learn more about Target Frameworks and .NET Standard.

NuGet packages (2)

Showing the top 2 NuGet packages that depend on Prognosis:

Package Downloads
Prognosis.DependencyInjection

Microsoft.Extensions.DependencyInjection integration for Prognosis. Provides assembly scanning, fluent graph builder, and IHostedService-based health monitoring for the Prognosis service health graph.

Prognosis.Reactive

System.Reactive extensions for Prognosis. Provides idiomatic Rx operators for polling, merging, and composing health status streams from the Prognosis service health graph.

GitHub repositories

This package is not used by any popular GitHub repositories.

Version Downloads Last Updated
7.0.0-beta.3 36 3/9/2026
7.0.0-beta.2 38 3/8/2026
7.0.0-beta.1 45 3/3/2026
7.0.0-alpha 162 3/2/2026
6.1.0 167 3/2/2026
6.0.0 169 3/1/2026
5.0.0 167 2/28/2026
4.1.0 168 2/27/2026
4.0.0 158 2/26/2026
4.0.0-alpha 163 2/26/2026
3.0.1 174 2/19/2026
3.0.0 174 2/19/2026
3.0.0-beta 171 2/18/2026
3.0.0-alpha 171 2/18/2026
2.1.0 174 2/16/2026
2.0.0 173 2/15/2026
1.0.0 178 2/14/2026
1.0.0-alpha 89 2/14/2026