HttpClient.Caching 1.3.7

There is a newer prerelease version of this package available.
See the version list below for details.
dotnet add package HttpClient.Caching --version 1.3.7
NuGet\Install-Package HttpClient.Caching -Version 1.3.7
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="HttpClient.Caching" Version="1.3.7" />
For projects that support PackageReference, copy this XML node into the project file to reference the package.
paket add HttpClient.Caching --version 1.3.7
#r "nuget: HttpClient.Caching, 1.3.7"
#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.
// Install HttpClient.Caching as a Cake Addin
#addin nuget:?package=HttpClient.Caching&version=1.3.7

// Install HttpClient.Caching as a Cake Tool
#tool nuget:?package=HttpClient.Caching&version=1.3.7

HttpClient.Caching

Version Downloads

Download and Install HttpClient.Caching

This library is available on NuGet: https://www.nuget.org/packages/HttpClient.Caching/ Use the following command to install HttpClient.Caching using NuGet package manager console:

PM> Install-Package HttpClient.Caching

You can use this library in any .Net project which is compatible to .Net Framework 4.5+ and .Net Standard 1.2+ (e.g. Xamarin Android, iOS, Universal Windows Platform, etc.)

The Purpose of HTTP Caching

HTTP Caching affects both involved communication peers, the client and the server. On the server-side, caching is appropriate for improving throughput (scalability). HTTP caching doesn't make a single HTTP call faster but it can lead to better response performance in high-load scenarios. On the client-side, caching is used to avoid unnecessarily repetitiv HTTP calls. This leads to less waiting time on the client-side since cache reads have naturally a much better response performance than HTTP calls over relatively slow network links.

API Usage

Using MemoryCache

Declare IMemoryCache in your API service, either by creating an instance manually or by injecting IMemoryCache into your API service class.

private readonly IMemoryCache memoryCache = new MemoryCache();

Following example show how IMemoryCache can be used to store an HTTP GET result in memory for a given time span (cacheExpirection):

public async Task<TResult> GetAsync<TResult>(string uri, TimeSpan? cacheExpiration = null)
{
    var stopwatch = new Stopwatch();
    stopwatch.Start();

    TResult result;
    var caching = cacheExpiration.HasValue;
    if (caching && this.memoryCache.TryGetValue(uri, out result))
    {
        stopwatch.Stop();
        this.tracer.Debug($"{nameof(this.GetAsync)} for Uri '{uri}' finished in {stopwatch.Elapsed.ToSecondsString()} (caching=true)");
        return result;
    }

    var httpResponseMessage = await this.HandleRequest(() => this.httpClient.GetAsync(uri));
    var jsonResponse = await this.HandleResponse(httpResponseMessage);
    result = await Task.Run(() => JsonConvert.DeserializeObject<TResult>(jsonResponse, this.serializerSettings));

    if (caching)
    {
        this.memoryCache.Set(uri, result, cacheExpiration.Value);
    }
    else
    {
        this.memoryCache.Remove(uri);
    }

    stopwatch.Stop();
    this.tracer.Debug($"{nameof(this.GetAsync)} for Uri '{uri}' finished in {stopwatch.Elapsed.ToSecondsString()}");
    return result;
}
Using InMemoryCacheHandler

HttpClient allows to inject a custom http handler. In the follwing example, we inject an HttpClientHandler which is nested into an InMemoryCacheHandler where the InMemoryCacheHandler is responsible for maintaining and reading the cache.

static void Main(string[] args)
{
    const string url = "http://worldclockapi.com/api/json/utc/now";

    var httpClientHandler = new HttpClientHandler();
    var cacheExpirationPerHttpResponseCode = CacheExpirationProvider.CreateSimple(TimeSpan.FromSeconds(60), TimeSpan.FromSeconds(10), TimeSpan.FromSeconds(5));
    var handler = new InMemoryCacheHandler(httpClientHandler, cacheExpirationPerHttpResponseCode);
    using (var client = new HttpClient(handler))
    {
        // HttpClient calls the same API endpoint five times:
        // - The first attempt is called against the real API endpoint since no cache is available
        // - Attempts 2 to 5 can be read from cache
        for (var i = 1; i <= 5; i++)
        {
            Console.Write($"Attempt {i}: HTTP GET {url}...");
            var stopwatch = Stopwatch.StartNew();
            var result = client.GetAsync(url).GetAwaiter().GetResult();

            // Do something useful with the returned content...
            var content = result.Content.ReadAsStringAsync().GetAwaiter().GetResult();
            Console.WriteLine($" completed in {stopwatch.ElapsedMilliseconds}ms");

            // Artificial wait time...
            Thread.Sleep(1000);
        }
    }

    Console.WriteLine();

    StatsResult stats = handler.StatsProvider.GetStatistics();
    Console.WriteLine($"TotalRequests: {stats.Total.TotalRequests}");
    Console.WriteLine($"-> CacheHit: {stats.Total.CacheHit}");
    Console.WriteLine($"-> CacheMiss: {stats.Total.CacheMiss}");
    Console.ReadKey();
}

Console output:

Attempt 1: HTTP GET http://worldclockapi.com/api/json/utc/now... completed in 625ms
Attempt 2: HTTP GET http://worldclockapi.com/api/json/utc/now... completed in 48ms
Attempt 3: HTTP GET http://worldclockapi.com/api/json/utc/now... completed in 1ms
Attempt 4: HTTP GET http://worldclockapi.com/api/json/utc/now... completed in 1ms
Attempt 5: HTTP GET http://worldclockapi.com/api/json/utc/now... completed in 1ms

TotalRequests: 5
-> CacheHit: 4
-> CacheMiss: 1

Cache keys

By default, requests will be cached by using a key which is composed with http method and url (only HEAD and GET http methods are supported). If this default behavior isn't enough you can implement your own ICacheKeyProvider wich provides cache key starting from HttpRequestMessage.

The following example show how use a cache provider of type MethodUriHeadersCacheKeysProvider. This cache key provider is already implemented and evaluates http method, specified headers and url to compose a cache key. with InMemoryCacheHandler.

static void Main(string[] args)
{
    const string url = "http://worldclockapi.com/api/json/utc/now";

    var httpClientHandler = new HttpClientHandler();
    var cacheExpirationPerHttpResponseCode = CacheExpirationProvider.CreateSimple(TimeSpan.FromSeconds(60), TimeSpan.FromSeconds(10), TimeSpan.FromSeconds(5));
    // this is a CacheKeyProvider which evaluates http method, specified headers and url to compose a key
    var cacheKeyProvider = new MethodUriHeadersCacheKeysProvider(new string[] { "FIRST-HEADER", "SECOND-HEADER" });
    var handler = new InMemoryCacheHandler(
        innerHandler: httpClientHandler,
        cacheExpirationPerHttpResponseCode: cacheExpirationPerHttpResponseCode,
        cacheKeysProvider: cacheKeyProvider
    );
    
    using (var client = new HttpClient(handler))
    {
        // HttpClient calls the same API endpoint five times:
        // - The first attempt is called against the real API endpoint since no cache is available
        // - Attempts 2 to 5 can be read from cache
        for (var i = 1; i <= 5; i++)
        {
            Console.Write($"Attempt {i}: HTTP GET {url}...");
            var stopwatch = Stopwatch.StartNew();
            var result = client.GetAsync(url).GetAwaiter().GetResult();

            // Do something useful with the returned content...
            var content = result.Content.ReadAsStringAsync().GetAwaiter().GetResult();
            Console.WriteLine($" completed in {stopwatch.ElapsedMilliseconds}ms");

            // Artificial wait time...
            Thread.Sleep(1000);
        }
    }

    Console.WriteLine();

    StatsResult stats = handler.StatsProvider.GetStatistics();
    Console.WriteLine($"TotalRequests: {stats.Total.TotalRequests}");
    Console.WriteLine($"-> CacheHit: {stats.Total.CacheHit}");
    Console.WriteLine($"-> CacheMiss: {stats.Total.CacheMiss}");
    Console.ReadKey();
}

How-to: HTTP Caching for RESTful & Hypermedia APIs

License

This project is Copyright © 2022 Thomas Galliker. Free for non-commercial use. For commercial use please contact the author.

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. 
.NET Core netcoreapp1.0 was computed.  netcoreapp1.1 was computed.  netcoreapp2.0 was computed.  netcoreapp2.1 was computed.  netcoreapp2.2 was computed.  netcoreapp3.0 was computed.  netcoreapp3.1 was computed. 
.NET Standard netstandard1.2 is compatible.  netstandard1.3 was computed.  netstandard1.4 was computed.  netstandard1.5 was computed.  netstandard1.6 was computed.  netstandard2.0 is compatible.  netstandard2.1 is compatible. 
.NET Framework net451 was computed.  net452 was computed.  net46 was computed.  net461 was computed.  net462 is compatible.  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 tizen30 was computed.  tizen40 was computed.  tizen60 was computed. 
Universal Windows Platform uap was computed.  uap10.0 was computed. 
Windows Phone wpa81 was computed. 
Windows Store netcore451 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 HttpClient.Caching:

Package Downloads
Terradue.Stars The ID prefix of this package has been reserved for one of the owners of this package by NuGet.org.

Stars is a set of services for working with Spatio Temporal Catalog such as STAC but not only

Neutron.Web.ClienteAPI

Biblioteca para utilizar a API do Software Neutron.

GitHub repositories (2)

Showing the top 2 popular GitHub repositories that depend on HttpClient.Caching:

Repository Stars
DirtyRacer1337/Jellyfin.Plugin.PhoenixAdult
Jellyfin/Emby Metadata Provider for videos from multiple adult sites
ThePornDatabase/Jellyfin.Plugin.ThePornDB
Jellyfin/Emby Metadata Provider
Version Downloads Last updated
1.4.5-pre 72 4/1/2024
1.4.3-pre 84 3/11/2024
1.3.7 37,378 5/7/2022
1.3.5-pre 150 5/7/2022
1.3.3-pre 167 5/7/2022
1.2.6 63,703 8/29/2021
1.2.4-pre 271 8/29/2021
1.2.3 334 8/25/2021
1.2.1-pre 213 8/25/2021
1.1.21112.1 4,336 4/22/2021
1.1.20328.3-pre 309 11/23/2020
1.1.20328.1-pre 281 11/23/2020
1.0.19286.1-pre 3,401 10/13/2019
1.0.18336.1-pre 1,528 12/2/2018
1.0.18327.2-pre 571 11/23/2018
1.0.18326.3 8,386 11/22/2018
1.0.18326.1-pre 551 11/22/2018
1.0.18324.1-pre 538 11/20/2018
1.0.18323.7 743 11/19/2018

1.3.x
- Add ICacheKeysProvider which allows to specify custom cache keys

1.0.0
- Initial release