Cache
Baseline Widely available
This feature is well established and works across many devices and browser versions. It’s been available across browsers since April 2018.
Secure context: This feature is available only insecure contexts (HTTPS), in some or allsupporting browsers.
Note: This feature is available inWeb Workers.
TheCache interface provides a persistent storage mechanism forRequest /Response object pairs that are cached in long lived memory. How long aCache object lives is browser dependent, but a single origin's scripts can typically rely on the presence of a previously populatedCache object. Note that theCache interface is exposed to windowed scopes as well as workers. You don't have to use it in conjunction with service workers, even though it is defined in the service worker spec.
An origin can have multiple, namedCache objects. You are responsible for implementing how your script (e.g., in aServiceWorker) handlesCache updates. Items in aCache do not get updated unless explicitly requested; they don't expire unless deleted. UseCacheStorage.open() to open a specific namedCache object and then call any of theCache methods to maintain theCache.
You are also responsible for periodically purging cache entries. Each browser has a hard limit on the amount of cache storage that a given origin can use.Cache quota usage estimates are available via theStorageManager.estimate() method. The browser does its best to manage disk space, but it may delete theCache storage for an origin. The browser will generally delete all of the data for an origin or none of the data for an origin. Make sure to version caches by name and use the caches only from the version of the script that they can safely operate on. SeeDeleting old caches for more information.
Note:The key matching algorithm depends on theVARY header in the value. So matching a new key requires looking at both key and value for entries in theCache object.
Note:The caching API doesn't honor HTTP caching headers.
In this article
Instance methods
Cache.match()Returns a
Promisethat resolves to the response associated with the first matching request in theCacheobject.Cache.matchAll()Returns a
Promisethat resolves to an array of all matching responses in theCacheobject.Cache.add()Takes a URL, retrieves it and adds the resulting response object to the given cache. This is functionally equivalent to calling
fetch(), then usingput()to add the results to the cache.Cache.addAll()Takes an array of URLs, retrieves them, and adds the resulting response objects to the given cache.
Cache.put()Takes both a request and its response and adds it to the given cache.
Cache.delete()Finds the
Cacheentry whose key is the request, returning aPromisethat resolves totrueif a matchingCacheentry is found and deleted. If noCacheentry is found, the promise resolves tofalse.Cache.keys()Returns a
Promisethat resolves to an array ofCachekeys.
Examples
This code snippet is from theservice worker selective caching sample. (seeselective caching live) The code usesCacheStorage.open() to open anyCache objects with aContent-Type header that starts withfont/.
The code then usesCache.match() to see if there's already a matching font in the cache, and if so, returns it. If there isn't a matching font, the code fetches the font from the network and usesCache.put() to cache the fetched resource.
The code handles exceptions thrown from thefetch() operation. Note that an HTTP error response (e.g., 404) will not trigger an exception. It will return a normal response object that has the appropriate error code.
The code snippet also shows a best practice for versioning caches used by the service worker. Though there's only one cache in this example, the same approach can be used for multiple caches. It maps a shorthand identifier for a cache to a specific, versioned cache name. The code also deletes all caches that aren't named inCURRENT_CACHES.
In the code example,caches is a property of theServiceWorkerGlobalScope. It holds theCacheStorage object, by which it can access theCacheStorage interface.
Note:In Chrome, visitchrome://inspect/#service-workers and click on the "inspect" link below the registered service worker to view logging statements for the various actions theservice-worker.js script is performing.
const CACHE_VERSION = 1;const CURRENT_CACHES = { font: `font-cache-v${CACHE_VERSION}`,};self.addEventListener("activate", (event) => { // Delete all caches that aren't named in CURRENT_CACHES. // While there is only one cache in this example, the same logic // will handle the case where there are multiple versioned caches. const expectedCacheNamesSet = new Set(Object.values(CURRENT_CACHES)); event.waitUntil( caches.keys().then((cacheNames) => Promise.all( cacheNames.map((cacheName) => { if (!expectedCacheNamesSet.has(cacheName)) { // If this cache name isn't present in the set of // "expected" cache names, then delete it. console.log("Deleting out of date cache:", cacheName); return caches.delete(cacheName); } return undefined; }), ), ), );});self.addEventListener("fetch", (event) => { console.log("Handling fetch event for", event.request.url); event.respondWith( caches .open(CURRENT_CACHES.font) .then((cache) => cache.match(event.request)) .then((response) => { if (response) { // If there is an entry in the cache for event.request, // then response will be defined and we can just return it. // Note that in this example, only font resources are cached. console.log(" Found response in cache:", response); return response; } // Otherwise, if there is no entry in the cache for event.request, // response will be undefined, and we need to fetch() the resource. console.log( " No response for %s found in cache. About to fetch " + "from network…", event.request.url, ); // We call .clone() on the request since we might use it // in a call to cache.put() later on. // Both fetch() and cache.put() "consume" the request, // so we need to make a copy. // (see https://developer.mozilla.org/en-US/docs/Web/API/Request/clone) return fetch(event.request.clone()).then((response) => { console.log( " Response for %s from network is: %O", event.request.url, response, ); if ( response.status < 400 && response.headers.has("content-type") && response.headers.get("content-type").match(/^font\//i) ) { // This avoids caching responses that we know are errors // (i.e. HTTP status code of 4xx or 5xx). // We also only want to cache responses that correspond // to fonts, i.e. have a Content-Type response header that // starts with "font/". // Note that for opaque filtered responses // https://fetch.spec.whatwg.org/#concept-filtered-response-opaque // we can't access to the response headers, so this check will // always fail and the font won't be cached. // All of the Google Web Fonts are served from a domain that // supports CORS, so that isn't an issue here. // It is something to keep in mind if you're attempting // to cache other resources from a cross-origin // domain that doesn't support CORS, though! console.log(" Caching the response to", event.request.url); // We call .clone() on the response to save a copy of it // to the cache. By doing so, we get to keep the original // response object which we will return back to the controlled // page. // https://developer.mozilla.org/en-US/docs/Web/API/Request/clone cache.put(event.request, response.clone()); } else { console.log(" Not caching the response to", event.request.url); } // Return the original response object, which will be used to // fulfill the resource request. return response; }); }) .catch((error) => { // This catch() will handle exceptions that arise from the match() // or fetch() operations. // Note that a HTTP error response (e.g. 404) will NOT trigger // an exception. // It will return a normal response object that has the appropriate // error code set. console.error(" Error in fetch handler:", error); throw error; }), );});Cookies and Cache objects
TheFetch API requiresSet-Cookie headers to be stripped before returning aResponse object fromfetch(). So aResponse stored in aCache won't containSet-Cookie headers, and therefore won't cause any cookies to be stored.
Specifications
| Specification |
|---|
| Service Workers Nightly> # cache-interface> |