Cache for HTTP requests in Angular application.
Sometime there is a need to cache the HTTP requests so that browser doesn’t have to hit server to fetch same data when same service is invoked serially or in parallel. NgHttpCaching
intercept all request are made, try to retrieve a cached instance of the response and then return the cached response or send the request to the backend. Once the operation has completed cache the response.
See the stackblitz demo.
âś… HTTP caching
âś… Handles simultaneous/parallel requests
âś… Automatic garbage collector of cache
âś… More than 90% unit tested
âś… LocalStorage, SessionStorage, MemoryStorage and custom cache storage
âś… Check response headers cache-control and expires
Step 1: install ng-http-caching
npm i ng-http-caching
Step 2: Provide NgHttpCaching
into your bootstrapApplication
, eg.:
import { bootstrapApplication } from '@angular/platform-browser';
import { provideHttpClient, withInterceptorsFromDi } from '@angular/common/http';
import { AppComponent } from './app.component';
import { provideNgHttpCaching } from 'ng-http-caching';
bootstrapApplication(AppComponent, {
providers: [
provideNgHttpCaching(),
provideHttpClient(withInterceptorsFromDi())
]
});
if you want configure ng-http-caching
, you can pass a configuration, eg.:
import { bootstrapApplication } from '@angular/platform-browser';
import { provideHttpClient, withInterceptorsFromDi } from '@angular/common/http';
import { AppComponent } from './app.component';
import { provideNgHttpCaching, NgHttpCachingConfig } from 'ng-http-caching';
// your config...
const ngHttpCachingConfig: NgHttpCachingConfig = {
lifetime: 1000 * 10 // cache expire after 10 seconds
};
bootstrapApplication(AppComponent, {
providers: [
provideNgHttpCaching(ngHttpCachingConfig),
provideHttpClient(withInterceptorsFromDi())
]
});
This is all the configuration interface, see below for the detail of each config.
// all configuration are optionally
export interface NgHttpCachingConfig {
version?: string;
lifetime?: number;
allowedMethod?: string[];
cacheStrategy?: NgHttpCachingStrategy;
store?: NgHttpCachingStorageInterface;
isExpired?: (entry: NgHttpCachingEntry) => boolean | undefined | void;
isValid?: (entry: NgHttpCachingEntry) => boolean | undefined | void;
isCacheable?: (req: HttpRequest<any>) => boolean | undefined | void;
getKey?: (req: HttpRequest<any>) => string | undefined | void;
}
Cache version. When you have a breaking change, change the version, and it'll delete the current cache automatically. The default value is Angular major version (eg. 13), in this way, the cache is invalidated on every Angular upgrade.
Number of millisecond that a response is stored in the cache.
You can set specific "lifetime" for each request by add the header X-NG-HTTP-CACHING-LIFETIME
(see example below).
If true response headers cache-control and expires are respected.
Array of allowed HTTP methods to cache.
You can allow multiple methods, eg.: ['GET', 'POST', 'PUT', 'DELETE', 'HEAD']
or
allow all methods by: ['ALL']
. If allowedMethod
is an empty array ([]
), no response are cached.
Warning! NgHttpCaching
use the full url (url with query parameters) as unique key for the cached response,
this is correct for the GET
request but is potentially wrong for other type of request (eg. POST
, PUT
).
You can set a different "key" by customizing the getKey
config method (see getKey
section).
Set the cache strategy, possible strategies are:
NgHttpCachingStrategy.ALLOW_ALL
: All request are cacheable if HTTP method is intoallowedMethod
;NgHttpCachingStrategy.DISALLOW_ALL
: Only the request withX-NG-HTTP-CACHING-ALLOW-CACHE
header are cacheable if HTTP method is intoallowedMethod
;
Set the cache store. You can implement your custom store by implement the NgHttpCachingStorageInterface
interface, eg.:
import { NgHttpCachingConfig, NgHttpCachingStorageInterface } from 'ng-http-caching';
class MyCustomStore implements NgHttpCachingStorageInterface {
// ... your logic
}
const ngHttpCachingConfig: NgHttpCachingConfig = {
store: new MyCustomStore(),
};
there is also a withNgHttpCachingLocalStorage
a cache store with persistence into localStorage
:
import { NgHttpCachingConfig, withNgHttpCachingLocalStorage } from 'ng-http-caching';
const ngHttpCachingConfig: NgHttpCachingConfig = {
store: withNgHttpCachingLocalStorage(),
};
and a withNgHttpCachingSessionStorage
a cache store with persistence into sessionStorage
:
import { NgHttpCachingConfig, withNgHttpCachingSessionStorage } from 'ng-http-caching';
const ngHttpCachingConfig: NgHttpCachingConfig = {
store: withNgHttpCachingSessionStorage(),
};
If this function return true
the request is expired and a new request is send to backend, if return false
isn't expired.
If the result is undefined
, the normal behaviour is provided.
Example of customization:
import { NgHttpCachingConfig, NgHttpCachingEntry } from 'ng-http-caching';
const ngHttpCachingConfig: NgHttpCachingConfig = {
isExpired: (entry: NgHttpCachingEntry): boolean | undefined => {
// In this example a special API endpoint (/my-endpoint) send into the body response
// an expireAt Date property. Only for this endpoint the expiration is provided by expireAt value.
// For all the other endpoint normal behaviour is provided.
if( entry.request.urlWithParams.indexOf('/my-endpoint') !== -1 ){
return entry.response.body.expireAt.getTime() > Date.now();
}
// by returning "undefined" normal "ng-http-caching" workflow is applied
return undefined;
},
};
If this function return true
the cache entry is valid and can be stored, if return false
isn't valid.
If the result is undefined
, the normal behaviour is provided.
Default behaviour is whether the status code falls in the 2xx range and response headers cache-control and expires allow cache.
Example of customization:
import { NgHttpCachingConfig, NgHttpCachingEntry } from 'ng-http-caching';
const ngHttpCachingConfig: NgHttpCachingConfig = {
isValid: (entry: NgHttpCachingEntry): boolean | undefined => {
// In this example only response with status code 200 can be stored into the cache
return entry.response.status === 200;
},
};
If this function return true
the request is cacheable, if return false
isn't cacheable.
If the result is undefined
, the normal behaviour is provided.
Example of customization:
import { NgHttpCachingConfig } from 'ng-http-caching';
const ngHttpCachingConfig: NgHttpCachingConfig = {
isCacheable: (req: HttpRequest<any>): boolean | undefined => {
// In this example the /my-endpoint isn't cacheable.
// For all the other endpoint normal behaviour is provided.
if( req.urlWithParams.indexOf('/my-endpoint') !== -1 ){
return false;
}
// by returning "undefined" normal "ng-http-caching" workflow is applied
return undefined;
},
};
This function return the unique key (string
) for store the response into the cache.
If the result is undefined
, the normal behaviour is provided.
Example of customization:
import { NgHttpCachingConfig } from 'ng-http-caching';
import * as hash from 'object-hash'; // install object-hash with: npm i object-hash
const hashOptions = {
algorithm: 'md5',
encoding: 'hex'
};
const ngHttpCachingConfig: NgHttpCachingConfig = {
allowedMethod: ['GET', 'POST', 'PUT', 'DELETE', 'HEAD'],
getKey: (req: HttpRequest<any>): string | undefined => {
// In this example the full request is hashed for provide an unique key for the cache.
// This is important if you want support method like POST or PUT.
return req.method + '@' + req.urlWithParams + '@' + hash(req.params, hashOptions) + '@' + hash(req.body, hashOptions);
},
};
NgHttpCaching
use some custom headers for customize the caching behaviour.
The supported headers are exported from the enum NgHttpCachingHeaders
:
export enum NgHttpCachingHeaders {
ALLOW_CACHE = 'X-NG-HTTP-CACHING-ALLOW-CACHE',
DISALLOW_CACHE = 'X-NG-HTTP-CACHING-DISALLOW-CACHE',
LIFETIME = 'X-NG-HTTP-CACHING-LIFETIME',
TAG = 'X-NG-HTTP-CACHING-TAG',
}
All those headers are removed before send the request to the backend.
If you have choose the DISALLOW_ALL
cache strategy, you can mark specific request as cacheable by adding the header X-NG-HTTP-CACHING-ALLOW-CACHE
, eg.:
this.http.get('https://my-json-server.typicode.com/typicode/demo/db', {
headers: {
[NgHttpCachingHeaders.ALLOW_CACHE]: '1',
}
}).subscribe(e => console.log);
You can disallow specific request by add the header X-NG-HTTP-CACHING-DISALLOW-CACHE
, eg.:
this.http.get('https://my-json-server.typicode.com/typicode/demo/db', {
headers: {
[NgHttpCachingHeaders.DISALLOW_CACHE]: '1',
}
}).subscribe(e => console.log);
You can set specific lifetime for request by add the header X-NG-HTTP-CACHING-LIFETIME
with a string value as the number of millisecond, eg.:
this.http.get('https://my-json-server.typicode.com/typicode/demo/db', {
headers: {
[NgHttpCachingHeaders.LIFETIME]: (1000 * 60 * 60 * 24 * 365).toString(), // one year
}
}).subscribe(e => console.log);
You can tag multiple request by adding special header X-NG-HTTP-CACHING-TAG
with the same tag and
using NgHttpCachingService.clearCacheByTag(tag: string)
for delete all the tagged request. Eg.:
this.http.get('https://my-json-server.typicode.com/typicode/demo/db?id=1', {
headers: {
[NgHttpCachingHeaders.TAG]: 'foo',
}
}).subscribe(e => console.log);
You can override NgHttpCachingConfig
methods:
{
isExpired?: (entry: NgHttpCachingEntry) => boolean | undefined | void;
isValid?: (entry: NgHttpCachingEntry) => boolean | undefined | void;
isCacheable?: (req: HttpRequest<any>) => boolean | undefined | void;
getKey?: (req: HttpRequest<any>) => string | undefined | void;
}
with HttpContextToken
, eg.:
import { withNgHttpCachingContext } from 'ng-http-caching';
const context = withNgHttpCachingContext({
isExpired: (entry: NgHttpCachingEntry) => {
console.log('context:isExpired', entry);
},
isCacheable: (req: HttpRequest<any>) => {
console.log('context:isCacheable', req);
},
getKey: (req: HttpRequest<any>) => {
console.log('context:getKey', req);
},
isValid: (entry: NgHttpCachingEntry) => {
console.log('context:isValid', entry);
}
});
this.http.get('https://my-json-server.typicode.com/typicode/demo/db?id=1', { context }).subscribe(e => console.log);
You can inject into your component the NgHttpCachingService
that expose some utils methods:
export class NgHttpCachingService {
/**
* Return the config
*/
getConfig(): Readonly<NgHttpCachingConfig>;
/**
* Return the queue map
*/
getQueue(): Readonly<Map<string, Observable<HttpEvent<any>>>>;
/**
* Return the cache store
*/
getStore(): Readonly<NgHttpCachingStorageInterface>;
/**
* Return response from cache
*/
getFromCache<K, T>(req: HttpRequest<K>): Readonly<HttpResponse<T>> | undefined;
/**
* Add response to cache
*/
addToCache<K, T>(req: HttpRequest<K>, res: HttpResponse<T>): boolean;
/**
* Delete response from cache
*/
deleteFromCache<K>(req: HttpRequest<K>): boolean;
/**
* Clear the cache
*/
clearCache(): void;
/**
* Clear the cache by key
*/
clearCacheByKey(key: string): boolean;
/**
* Clear the cache by keys
*/
clearCacheByKeys(keys: Array<string>): number;
/**
* Clear the cache by regex
*/
clearCacheByRegex<K, T>(regex: RegExp): number;
/**
* Clear the cache by TAG
*/
clearCacheByTag<K, T>(tag: string): number;
/**
* Run garbage collector (delete expired cache entry)
*/
runGc<K, T>(): boolean;
/**
* Return true if cache entry is expired
*/
isExpired<K, T>(entry: NgHttpCachingEntry<K, T>): boolean;
/**
* Return true if cache entry is valid for store in the cache
* Default behaviour is whether the status code falls in the 2xx range and response headers cache-control and expires allow cache.
*/
isValid<K, T>(entry: NgHttpCachingEntry<K, T>): boolean;
/**
* Return true if the request is cacheable
*/
isCacheable<K>(req: HttpRequest<K>): boolean;
/**
* Return the cache key.
* Default key is http method plus url with query parameters, eg.:
* `GET@https://github.com/nigrosimone/ng-http-caching`
*/
getKey<K>(req: HttpRequest<K>): string;
/**
* Return observable from cache
*/
getFromQueue<K, T>(req: HttpRequest<K>): Observable<HttpEvent<T>> | undefined;
/**
* Add observable to cache
*/
addToQueue<K, T>(req: HttpRequest<K>, obs: Observable<HttpEvent<T>>): void;
/**
* Delete observable from cache
*/
deleteFromQueue<K>(req: HttpRequest<K>): boolean;
}
Below there are some examples of use case.
You can disallow specific request by add the header X-NG-HTTP-CACHING-DISALLOW-CACHE
, eg.:
import { Component, OnInit } from '@angular/core';
import { HttpClient } from "@angular/common/http";
import { NgHttpCachingHeaders } from 'ng-http-caching';
@Component({
selector: 'app-root',
templateUrl: './app.component.html',
styleUrls: ['./app.component.scss']
})
export class AppComponent implements OnInit {
constructor(private http: HttpClient) {}
ngOnInit(): void {
// This request will never cache.
// Note: all the "special" headers in NgHttpCachingHeaders are removed before send the request to the backend.
this.http.get('https://my-json-server.typicode.com/typicode/demo/db', {
headers: {
[NgHttpCachingHeaders.DISALLOW_CACHE]: '1',
}
}).subscribe(e => console.log);
}
}
You can set specific lifetime for request by add the header X-NG-HTTP-CACHING-LIFETIME
with a string value as the number of millisecond, eg.:
import { Component, OnInit } from '@angular/core';
import { HttpClient } from "@angular/common/http";
import { NgHttpCachingHeaders } from 'ng-http-caching';
@Component({
selector: 'app-root',
templateUrl: './app.component.html',
styleUrls: ['./app.component.scss']
})
export class AppComponent implements OnInit {
constructor(private http: HttpClient) {}
ngOnInit(): void {
// This request will expire from 365 days.
// Note: all the "special" headers in NgHttpCachingHeaders are removed before send the request to the backend.
this.http.get('https://my-json-server.typicode.com/typicode/demo/db', {
headers: {
[NgHttpCachingHeaders.LIFETIME]: (1000 * 60 * 60 * 24 * 365).toString(),
}
}).subscribe(e => console.log);
}
}
If you have choose the DISALLOW_ALL
cache strategy, you can mark specific request as cacheable by adding the header X-NG-HTTP-CACHING-ALLOW-CACHE
, eg.:
import { Component, OnInit } from '@angular/core';
import { HttpClient } from "@angular/common/http";
import { NgHttpCachingHeaders } from 'ng-http-caching';
@Component({
selector: 'app-root',
templateUrl: './app.component.html',
styleUrls: ['./app.component.scss']
})
export class AppComponent implements OnInit {
constructor(private http: HttpClient) {}
ngOnInit(): void {
// This request is marked as cacheable (this is necessary only if cache strategy is DISALLOW_ALL)
// Note: all the "special" headers in NgHttpCachingHeaders are removed before send the request to the backend.
this.http.get('https://my-json-server.typicode.com/typicode/demo/db', {
headers: {
[NgHttpCachingHeaders.ALLOW_CACHE]: '1',
}
}).subscribe(e => console.log);
}
}
If user switch the account (logout/login) or the application language, maybe ca be necessary clear all the cache, eg.:
import { Component } from '@angular/core';
import { NgHttpCachingService } from 'ng-http-caching';
@Component({
selector: 'app-root',
templateUrl: './app.component.html',
styleUrls: ['./app.component.scss']
})
export class AppComponent {
constructor(private ngHttpCachingService: NgHttpCachingService) {}
clearCache(): void {
// Clear all the cache
this.ngHttpCachingService.clearCache();
}
}
If you want delete some cache entry, eg.:
import { Component } from '@angular/core';
import { NgHttpCachingService } from 'ng-http-caching';
@Component({
selector: 'app-root',
templateUrl: './app.component.html',
styleUrls: ['./app.component.scss']
})
export class AppComponent {
constructor(private ngHttpCachingService: NgHttpCachingService) {}
clearCache(key: string): boolean {
// Clear the cache for the provided key
return this.ngHttpCachingService.clearCacheByKey(key);
}
}
If you want delete some cache entry by RegEx, eg.:
import { Component } from '@angular/core';
import { NgHttpCachingService } from 'ng-http-caching';
@Component({
selector: 'app-root',
templateUrl: './app.component.html',
styleUrls: ['./app.component.scss']
})
export class AppComponent {
constructor(private ngHttpCachingService: NgHttpCachingService) {}
clearCacheByRegex(regEx: RegExp): void {
// Clear the cache for the key that match regex
this.ngHttpCachingService.clearCacheByRegex(regEx);
}
}
You can tag multiple request by adding special header X-NG-HTTP-CACHING-TAG
with the same tag and
using NgHttpCachingService.clearCacheByTag(tag: )
for delete all the tagged request. Eg.:
import { Component, OnInit } from '@angular/core';
import { HttpClient } from "@angular/common/http";
import { NgHttpCachingService } from 'ng-http-caching';
@Component({
selector: 'app-root',
templateUrl: './app.component.html',
styleUrls: ['./app.component.scss']
})
export class AppComponent {
constructor(private ngHttpCachingService: NgHttpCachingService) {}
ngOnInit(): void {
// This request is tagged with "foo" keyword. You can tag multiple requests with the same tag and
// using NgHttpCachingService.clearCacheByTag("foo") for delete all the tagged request.
this.http.get('https://my-json-server.typicode.com/typicode/demo/db?id=1', {
headers: {
[NgHttpCachingHeaders.TAG]: 'foo',
}
}).subscribe(e => console.log);
// This request is also tagged with "foo" keyword, and has another tag "baz".
// You can add multiple tags comma separated.
this.http.get('https://my-json-server.typicode.com/typicode/demo/db?id=2', {
headers: {
[NgHttpCachingHeaders.TAG]: 'foo,baz',
}
}).subscribe(e => console.log);
}
clearCacheForFoo(): void {
// Clear the cache for all the entry have the tag 'foo'
this.ngHttpCachingService.clearCacheByTag('foo');
}
}
Aren't you satisfied? there are some valid alternatives:
This is an open-source project. Star this repository, if you like it, or even donate. Thank you so much!
I have published some other Angular libraries, take a look:
- NgSimpleState: Simple state management in Angular with only Services and RxJS
- NgGenericPipe: Generic pipe for Angular application for use a component method into component template.
- NgLet: Structural directive for sharing data as local variable into html component template
- NgForTrackByProperty: Angular global trackBy property directive with strict type checking