ASP.NET AddSingleton
last modified April 3, 2025
In this article, we explore the AddSingleton method in ASP.NET 8. This method is essential for dependency injection and service lifetime management.
ASP.NET is a cross-platform, high-performance framework for building modern web applications. The AddSingleton method helps manage service instances.
Basic Definition
AddSingleton is a method in ASP.NET Core's dependency injection system. It registers a service with a singleton lifetime in the service container.
Singleton services are created once and shared throughout the application's lifetime. All requests to the service get the same instance.
This is ideal for services that maintain state or are expensive to create. AddSingleton is commonly used for caching, configuration, and logging services.
ASP.NET AddSingleton Example
The following example demonstrates using AddSingleton with a counter service.
var builder = WebApplication.CreateBuilder(args); // Register the CounterService as a singleton builder.Services.AddSingleton<CounterService>(); var app = builder.Build(); app.MapGet("/", (CounterService counter) => { counter.Increment(); return $"Counter: {counter.GetCount()}"; }); app.Run();
This sets up a basic ASP.NET application with a singleton CounterService. The service is injected into the minimal API endpoint.
public class CounterService { private int _count = 0; public void Increment() { _count++; } public int GetCount() { return _count; } }
The CounterService maintains a simple counter. Each request to the root endpoint ("/") increments and returns the current count.
Since it's registered as a singleton, the same instance is used across all requests. The counter value persists between requests.
To test this, run the application and refresh the page multiple times. You'll see the counter increment with each refresh, demonstrating the singleton behavior.
Source
Microsoft ASP.NET Dependency Injection Documentation
In this article, we have explored the AddSingleton method in ASP.NET 8. This powerful feature helps manage service instances efficiently in your applications.
Author
List all ASP.NET tutorials.