ServiceLevelIndicators is a .NET library for emitting service-level latency metrics in milliseconds using the standard System.Diagnostics.Metrics and OpenTelemetry pipeline.
It is designed for teams that need more than generic request timing. The library helps measure meaningful operations, attach service-specific dimensions such as customer, location, operation name, and status, and build SLO or SLA-oriented dashboards and alerts from those metrics.
Service level indicators (SLIs) are metrics used to track how a service is performing against expected reliability and responsiveness goals. Common examples include availability, response time, throughput, and error rate. This library focuses on latency SLIs so you can consistently measure operation duration across background work, ASP.NET Core APIs, and versioned endpoints.
ServiceLevelIndicators emits operation latency metrics in milliseconds so service owners can monitor performance over time using dimensions that matter to their system. The metrics are emitted via the standard .NET Meter Class.
By default, a meter named ServiceLevelIndicator with instrument name operation.duration is added to the service metrics. The metrics are emitted with the following attributes.
- CustomerResourceId - A value that helps identity the customer, customer group or calling service.
- LocationId - The location where the service running. eg. Public cloud, West US 3 region. Azure Core
- Operation - The name of the operation.
- activity.status.code - The activity status code is set based on the success or failure of the operation. ActivityStatusCode.
ServiceLevelIndicators.Asp adds the following dimensions.
- Operation - In ASP.NET the operation name defaults to
AttributeRouteInfo.Templateinformation likeGET Weatherforecast. - The activity status code will be "Ok" when the http response status code is in the 2xx range, "Error" when the http response status code is in the 5xx range, "Unset" for any other status code.
- http.response.status.code - The http status code.
- http.request.method (Optional)- The http request method (GET, POST, etc) is added.
Difference between ServiceLevelIndicator and http.server.request.duration
| ServiceLevelIndicator | http.server.request.duration | |
|---|---|---|
| Resolution | milliseconds | seconds |
| Customer | CustomerResourceId | N/A |
| Error check | Activity or HTTP status.code | HTTP status code |
This makes the library useful when generic HTTP server metrics are not enough, especially for multi-tenant services, APIs with customer-specific objectives, or workloads that need the same SLI model outside HTTP request handling.
ServiceLevelIndicators.Asp.Versioning adds the following dimensions.
- http.api.version - The API Version when used in conjunction with API Versioning package.
-
ServiceLevelIndicators
This library can be used to emit SLI for all .net core applications, where each operation is measured.
-
ServiceLevelIndicators.Asp
For measuring SLI for ASP.NET Core applications use this library that will automatically measure each API operation.
-
ServiceLevelIndicators.Asp.ApiVersioning
If API Versioning package is used, this library will add the API version as a metric dimension.
dotnet add package ServiceLevelIndicatorsFor a concise package-selection and integration guide, see docs/usage-reference.md.
For ASP.NET Core:
dotnet add package ServiceLevelIndicators.AspFor API Versioning support:
dotnet add package ServiceLevelIndicators.Asp.ApiVersioning-
Register SLI with open telemetry by calling
AddServiceLevelIndicatorInstrumentation.Example:
builder.Services.AddOpenTelemetry() .ConfigureResource(configureResource) .WithMetrics(builder => { builder.AddServiceLevelIndicatorInstrumentation(); builder.AddOtlpExporter(); });
If you configure
ServiceLevelIndicatorOptions.Meterwith a custom meter, register that same meter with OpenTelemetry:var sliMeter = new Meter("MyCompany.ServiceLevelIndicator"); builder.Services.AddOpenTelemetry() .ConfigureResource(configureResource) .WithMetrics(metrics => { metrics.AddServiceLevelIndicatorInstrumentation(sliMeter); metrics.AddOtlpExporter(); }); builder.Services.AddServiceLevelIndicator(options => { options.Meter = sliMeter; options.LocationId = ServiceLevelIndicator.CreateLocationId("public", AzureLocation.WestUS3.Name); });
-
Add ServiceLevelIndicator into the dependency injection.
AddMvc()is required for overrides present in SLI attributes to take effect.Example:
builder.Services.AddServiceLevelIndicator(options => { options.LocationId = ServiceLevelIndicator.CreateLocationId("public", AzureLocation.WestUS3.Name); }) .AddMvc();
-
Add the middleware to the pipeline.
app.UseServiceLevelIndicator();
-
Register SLI with open telemetry by calling
AddServiceLevelIndicatorInstrumentation.Example:
builder.Services.AddOpenTelemetry() .ConfigureResource(configureResource) .WithMetrics(builder => { builder.AddServiceLevelIndicatorInstrumentation(); builder.AddOtlpExporter(); });
-
Add ServiceLevelIndicator into the dependency injection.
Example:
builder.Services.AddServiceLevelIndicator(options => { options.LocationId = ServiceLevelIndicator.CreateLocationId("public", AzureLocation.WestUS3.Name); });
-
Add the middleware to the ASP.NET Core pipeline.
Example:
app.UseServiceLevelIndicator();
-
To each API route mapping, add
AddServiceLevelIndicator().Example:
app.MapGet("/hello", () => "Hello World!") .AddServiceLevelIndicator();
You can measure a block of code by wrapping it in a using clause of MeasuredOperation.
Example:
async Task MeasureCodeBlock(ServiceLevelIndicator serviceLevelIndicator)
{
using var measuredOperation = serviceLevelIndicator.StartMeasuring("OperationName");
// Do Work.
measuredOperation.SetActivityStatusCode(System.Diagnostics.ActivityStatusCode.Ok);
}Metric dimensions should stay bounded. CustomerResourceId and values captured with [Measure] are useful when they represent a stable tenant, customer group, plan, environment, or region, but they become expensive if you feed them raw per-user or highly variable values.
Prefer values with a controlled set of outcomes. Avoid using email addresses, request IDs, timestamps, or unconstrained free text unless your metrics backend is explicitly designed for high-cardinality telemetry.
Once the Prerequisites are done, all controllers will emit SLI information. The default operation name is in the format <HTTP Method> <Controller>/<Action>. eg GET WeatherForecast/Action1
-
To add API versioning as a dimension use package
ServiceLevelIndicators.Asp.ApiVersioningand enrich the metrics withAddApiVersion.Example:
builder.Services.AddServiceLevelIndicator(options => { /// Options }) .AddMvc() .AddApiVersion();
-
To add HTTP method as a dimension, add
AddHttpMethodto Service Level Indicator.Example:
builder.Services.AddServiceLevelIndicator(options => { /// Options }) .AddMvc() .AddHttpMethod();
-
Enrich SLI with the
Enrichcallback. The callback receives aMeasuredOperationas context that can be used to setCustomerResourceIdor additional attributes. An async versionEnrichAsyncis also available.Example:
builder.Services.AddServiceLevelIndicator(options => { options.LocationId = ServiceLevelIndicator.CreateLocationId(Cloud, Region); }) .AddMvc() .Enrich(context => { var upn = context.HttpContext.User.Claims .FirstOrDefault(c => c.Type == "upn")?.Value ?? "Unknown"; context.SetCustomerResourceId(upn); // Set CustomerResourceId context.AddAttribute("UserPrincipalName", upn); // Add custom attribute });
-
To override the default operation name, add the attribute
[ServiceLevelIndicator]and specify the operation name.Example:
[HttpGet("MyAction2")] [ServiceLevelIndicator(Operation = "MyNewOperationName")] public IEnumerable<WeatherForecast> GetOperation() => GetWeather();
-
To set the
CustomerResourceIdwithin an API method, mark the parameter with the attribute[CustomerResourceId][HttpGet("get-by-zip-code/{zipCode}")] public IEnumerable<WeatherForecast> GetByZipcode([CustomerResourceId] string zipCode) => GetWeather();
Or use
GetMeasuredOperationextension method.[HttpGet("{customerResourceId}")] public IEnumerable<WeatherForecast> Get(string customerResourceId) { HttpContext.GetMeasuredOperation().CustomerResourceId = customerResourceId; return GetWeather(); }
-
To add custom Open Telemetry attributes.
HttpContext.GetMeasuredOperation().AddAttribute(attribute, value);
GetMeasuredOperation will throw if the route is not configured to emit SLI.
When used in a middleware or scenarios where a route may not be configured to emit SLI.
if (HttpContext.TryGetMeasuredOperation(out var measuredOperation)) measuredOperation.AddAttribute("CustomAttribute", value);
You can add additional dimensions to the SLI data by using the
Measureattribute. Parameters decorated with[Measure]are automatically added as metric attributes (dimensions) using the parameter name as the attribute key.[HttpGet("name/{first}/{surname}")] public IActionResult GetCustomerResourceId( [Measure] string first, [CustomerResourceId] string surname) => Ok(first + " " + surname);
-
To prevent automatically emitting SLI information on all controllers, set the option,
builder.Services.AddServiceLevelIndicator(options => { options.AutomaticallyEmitted = false; }) .AddMvc();
In this case, add the attribute
[ServiceLevelIndicator]on the controllers that should emit SLI.
Try out the sample weather forecast Web API.
To view the metrics locally using the .NET Aspire Dashboard:
- Start the Aspire dashboard:
docker run --rm -it -d -p 18888:18888 -p 4317:18889 -e DOTNET_DASHBOARD_UNSECURED_ALLOW_ANONYMOUS=true -e DASHBOARD__OTLP__AUTHMODE=Unsecured --name aspire-dashboard mcr.microsoft.com/dotnet/aspire-dashboard:latest - Run the sample web API project and call the
GET WeatherForecastusing the Open API UI. - Open
http://localhost:18888to view the dashboard. You should see the SLI metrics under the instrumentoperation.durationwhereOperation = "GET WeatherForecast",http.response.status.code = 200,LocationId = "ms-loc://az/public/westus2",activity.status.code = Ok.
- If you run the sample with API Versioning, you will see something similar to the following.

