DEV Community

Cover image for Caching in ASP.NET Core: Improving Application Performance
Milan Jovanović
Milan Jovanović

Posted on • Originally published at milanjovanovic.tech on

Caching in ASP.NET Core: Improving Application Performance

Caching is one of the simplest techniques to significantly improve your application's performance. It's the process of temporarily storing data in a faster access location. You will typically cache the results of expensive operations or frequently accessed data.

Caching allows subsequent requests for the same data to be served from the cache instead of fetching the data from its source.

ASP.NET Core offers several types of caches, such as IMemoryCache, IDistributedCache, and the upcoming HybridCache (.NET 9).

In this newsletter, we will explore how to implement caching in ASP.NET Core applications.

How Caching Improves Application Performance

Caching improves your application's performance by reducing latency and server load while enhancing scalability and user experience.

  • Faster data retrieval: Cached data can be accessed much faster than retrieving it from the source (like a database or an API). Caches are typically stored in memory (RAM).
  • Fewer database queries: Caching frequently accessed data reduces the number of database queries. This reduces the load on the database server.
  • Lower CPU usage: Rendering web pages or processing API responses can consume significant CPU resources. Caching the results reduces the need for repetitive CPU-intensive tasks.
  • Handling increased traffic: By reducing the load on backend systems, caching allows your application to handle more concurrent users and requests.
  • Distributed caching: Distributed cache solutions like Redis enable scaling the cache across multiple servers, further improving performance and resilience.

In a recent project I worked on, we used Redis to scale to more than 1,000,000 users. We only had one SQL Server instance with a read-replica for reporting. The power of caching, eh?

Caching Abstractions in ASP.NET Core

ASP.NET Core provides two primary abstractions for working with caches:

  • IMemoryCache: Stores data in the memory of the web server. Simple to use but not suitable for distributed scenarios.
  • IDistributedCache: Offers a more robust solution for distributed applications. It allows you to store cached data in a distributed cache like Redis.

We have to register these services with DI to use them.AddDistributedMemoryCache will configure the in-memory implementation of IDistributedCache, which isn't distributed.

builder.Services.AddMemoryCache();

builder.Services.AddDistributedMemoryCache();
Enter fullscreen mode Exit fullscreen mode

Here's how you can use the IMemoryCache. We will first check if the cached value is present and return it directly if it's there. Otherwise, we must fetch the value from the database and cache it for subsequent requests.

app.MapGet(
    "products/{id}",
    (int id, IMemoryCache cache, AppDbContext context) =>
    {
        if (!cache.TryGetValue(id, out Product product))
        {
            product = context.Products.Find(id);

            var cacheEntryOptions = new MemoryCacheEntryOptions()
                .SetAbsoluteExpiration(TimeSpan.FromMinutes(10))
                .SetSlidingExpiration(TimeSpan.FromMinutes(2));

            cache.Set(id, product, cacheEntryOptions);
        }

        return Results.Ok(product);
    });
Enter fullscreen mode Exit fullscreen mode

Cache expiration is another important topic to discuss. We want to remove cache entries that aren't used and become stale. You can pass in the MemoryCacheEntryOptions, allowing you to configure cache expiration. For example, we can set the AbsoluteExpiration and SlidingExpiration values to control when the cache entry will expire.

Cache-Aside Pattern

The cache-aside pattern is the most common caching strategy. Here's how it works:

  1. Check the cache: Look for the requested data in the cache.
  2. Fetch from source (if cache miss): If the data isn't in the cache, fetch it from the source.
  3. Update the cache: Store the fetched data in the cache for subsequent requests.

Image description

Here's how you can implement the cache-aside pattern as an extension method for IDistributedCache:

public static class DistributedCacheExtensions
{
    public static DistributedCacheEntryOptions DefaultExpiration => new()
    {
        AbsoluteExpirationRelativeToNow = TimeSpan.FromMinutes(2)
    };

    public static async Task<T> GetOrCreateAsync<T>(
        this IDistributedCache cache,
        string key,
        Func<Task<T>> factory,
        DistributedCacheEntryOptions? cacheOptions = null)
    {
        var cachedData = await cache.GetStringAsync(key);

        if (cachedData is not null)
        {
            return JsonSerializer.Deserialize<T>(cachedData);
        }

        var data = await factory();

        await cache.SetStringAsync(
            key,
            JsonSerializer.Serialize(data),
            cacheOptions ?? DefaultExpiration);

        return data;
    }
}
Enter fullscreen mode Exit fullscreen mode

We're using JsonSerializer to manage serialization to and from a JSON string. The SetStringAsync method also accepts a DistributedCacheEntryOptions argument to control cache expiration.

Here's how we would use this extension method:

app.MapGet(
    "products/{id}",
    (int id, IDistributedCache cache, AppDbContext context) =>
    {
        var product = cache.GetOrCreateAsync($"products-{id}", async () =>
        {
            var productFromDb = await context.Products.FindAsync(id);

            return productFromDb;
        });

        return Results.Ok(product);
    });
Enter fullscreen mode Exit fullscreen mode

Pros and Cons of In-Memory Caching

Pros:

  • Extremely fast
  • Simple to implement
  • No external dependencies

Cons:

  • Cache data is lost if the server restarts
  • Limited to the memory (RAM) of a single server
  • Cache data is not shared across multiple instances of your application

Distributed Caching With Redis

Redis is a popular in-memory data store often used as a high-performance distributed cache. To use Redis in your ASP.NET Core application, you can use the StackExchange.Redis library.

However, there's also the Microsoft.Extensions.Caching.StackExchangeRedis library, allowing you to integrate Redis with IDistributedCache.

Install-Package Microsoft.Extensions.Caching.StackExchangeRedis
Enter fullscreen mode Exit fullscreen mode

Here's how you can configure it with DI by providing a connection string to Redis:

string connectionString = builder.Configuration.GetConnectionString("Redis");

builder.Services.AddStackExchangeRedisCache(options =>
{
    options.Configuration = connectionString;
});
Enter fullscreen mode Exit fullscreen mode

An alternative approach is to register an IConnectionMultiplexer as a service. Then, we will use it to provide a function for the ConnectionMultiplexerFactory.

string connectionString = builder.Configuration.GetConnectionString("Redis");

IConnectionMultiplexer connectionMultiplexer =
    ConnectionMultiplexer.Connect(connectionString);

builder.Services.AddSingleton(connectionMultiplexer);

builder.Services.AddStackExchangeRedisCache(options =>
{
    options.ConnectionMultiplexerFactory =
        () => Task.FromResult(connectionMultiplexer);
});
Enter fullscreen mode Exit fullscreen mode

Now, when you inject IDistributedCache, it will use Redis under the hood.

Cache Stampede and HybridCache

The in-memory cache implementations in ASP.NET Core are susceptible to race conditions, which can cause a cache stampede. A cache stampede happens when concurrent requests encounter a cache miss and try to fetch the data from the source. This can overload your application and negate the benefits of caching.

Locking is one solution for the cache stampede problem. .NET offers many options for locking and concurrency control. The most commonly used locking primitives are the lock statement and the Semaphore (or SemaphoreSlim) class.

Here's how we could use SemaphoreSlim to introduce locking before fetching data:

public static class DistributedCacheExtensions
{
    private static readonly SemaphoreSlim Semaphore = new SemaphoreSlim(1, 1);

    // Arguments omitted for brevity
    public static async Task<T> GetOrCreateAsync<T>(...)
    {
        // Fetch data from cache, and return if present

        // Cache miss
        try
        {
            await Semaphore.WaitAsync();

            var data = await factory();

            await cache.SetStringAsync(
                key,
                JsonSerializer.Serialize(data),
                cacheOptions ?? DefaultExpiration);
        }
        finally
        {
            Semaphore.Release();
        }

        return data;
    }
}
Enter fullscreen mode Exit fullscreen mode

The previous implementation has a lock contention issue since all requests have to wait for the semaphore. A much better solution would be locking based on the key value.

.NET 9 introduces a new caching abstraction called HybridCache, which aims to solve the shortcomings of IDistributedCache. Learn more about this in the Hybrid cache documentation.

Summary

Caching is a powerful technique for improving web application performance. ASP.NET Core's caching abstractions make it easy to implement various caching strategies.

We can choose from IMemoryCache for in-memory cache and IDistributedCache for distributed caching.

Here are a few guidelines to wrap up this week's issue:

  • Use IMemoryCache for simple, in-memory caching
  • Implement the cache aside pattern to minimize database hits
  • Consider Redis as a high-performance distributed cache implementation
  • Use IDistributedCache for sharing cached data across multiple applications

That's all for today.

See you next week.


P.S. Whenever you're ready, there are 3 ways I can help you:

  1. Modular Monolith Architecture (NEW): Join 600+ engineers in this in-depth course that will transform the way you build modern systems. You will learn the best practices for applying the Modular Monolith architecture in a real-world scenario.

  2. Pragmatic Clean Architecture: Join 2,750+ students in this comprehensive course that will teach you the system I use to ship production-ready applications using Clean Architecture. Learn how to apply the best practices of modern software architecture.

  3. Patreon Community: Join a community of 1,050+ engineers and software architects. You will also unlock access to the source code I use in my YouTube videos, early access to future videos, and exclusive discounts for my courses.

Top comments (0)