Skip to content

Commit 70bfa09

Browse files
authoredAug 26, 2021
Allow precaching "repair" when using subresource integrity (#2921)
* Allow precaching "repair" when using SRI * Ensure cacheability plugin is used * Fixed up some logic * Linting * Better fallback logic * Fix up tests
1 parent 094d081 commit 70bfa09

File tree

4 files changed

+149
-31
lines changed

4 files changed

+149
-31
lines changed
 

‎packages/workbox-precaching/src/PrecacheController.ts

+9
Original file line numberDiff line numberDiff line change
@@ -284,6 +284,15 @@ class PrecacheController {
284284
return this._urlsToCacheKeys.get(urlObject.href);
285285
}
286286

287+
/**
288+
* @param {string} url A cache key whose SRI you want to look up.
289+
* @return {string} The subresource integrity associated with the cache key,
290+
* or undefined if it's not set.
291+
*/
292+
getIntegrityForCacheKey(cacheKey: string): string | undefined {
293+
return this._cacheKeysToIntegrities.get(cacheKey);
294+
}
295+
287296
/**
288297
* This acts as a drop-in replacement for
289298
* [`cache.match()`](https://developer.mozilla.org/en-US/docs/Web/API/Cache/match)

‎packages/workbox-precaching/src/PrecacheRoute.ts

+2-1
Original file line numberDiff line numberDiff line change
@@ -50,7 +50,8 @@ class PrecacheRoute extends Route {
5050
for (const possibleURL of generateURLVariations(request.url, options)) {
5151
const cacheKey = urlsToCacheKeys.get(possibleURL);
5252
if (cacheKey) {
53-
return {cacheKey};
53+
const integrity = precacheController.getIntegrityForCacheKey(cacheKey);
54+
return {cacheKey, integrity};
5455
}
5556
}
5657
if (process.env.NODE_ENV !== 'production') {

‎packages/workbox-precaching/src/PrecacheStrategy.ts

+71-28
Original file line numberDiff line numberDiff line change
@@ -43,13 +43,13 @@ class PrecacheStrategy extends Strategy {
4343
}
4444

4545
return response;
46-
}
46+
},
4747
};
4848

4949
static readonly copyRedirectedCacheableResponsesPlugin: WorkboxPlugin = {
5050
async cacheWillUpdate({response}) {
5151
return response.redirected ? await copyResponse(response) : response;
52-
}
52+
},
5353
};
5454

5555
/**
@@ -73,7 +73,8 @@ class PrecacheStrategy extends Strategy {
7373
options.cacheName = cacheNames.getPrecacheName(options.cacheName);
7474
super(options);
7575

76-
this._fallbackToNetwork = options.fallbackToNetwork === false ? false: true;
76+
this._fallbackToNetwork =
77+
options.fallbackToNetwork === false ? false : true;
7778

7879
// Redirected responses cannot be used to satisfy a navigation request, so
7980
// any redirected response must be "copied" rather than cloned, so the new
@@ -91,31 +92,68 @@ class PrecacheStrategy extends Strategy {
9192
*/
9293
async _handle(request: Request, handler: StrategyHandler): Promise<Response> {
9394
const response = await handler.cacheMatch(request);
94-
if (!response) {
95-
// If this is an `install` event then populate the cache. If this is a
96-
// `fetch` event (or any other event) then respond with the cached
97-
// response.
98-
if (handler.event && handler.event.type === 'install') {
99-
return await this._handleInstall(request, handler);
100-
}
101-
return await this._handleFetch(request, handler);
95+
if (response) {
96+
return response;
10297
}
10398

104-
return response;
99+
// If this is an `install` event for an entry that isn't already cached,
100+
// then populate the cache.
101+
if (handler.event && handler.event.type === 'install') {
102+
return await this._handleInstall(request, handler);
103+
}
104+
105+
// Getting here means something went wrong. An entry that should have been
106+
// precached wasn't found in the cache.
107+
return await this._handleFetch(request, handler);
105108
}
106109

107-
async _handleFetch(request: Request, handler: StrategyHandler): Promise<Response> {
110+
async _handleFetch(
111+
request: Request,
112+
handler: StrategyHandler,
113+
): Promise<Response> {
108114
let response;
115+
const params = (handler.params || {}) as {
116+
cacheKey?: string;
117+
integrity?: string;
118+
};
109119

110-
// Fall back to the network if we don't have a cached response
111-
// (perhaps due to manual cache cleanup).
120+
// Fall back to the network if we're configured to do so.
112121
if (this._fallbackToNetwork) {
113122
if (process.env.NODE_ENV !== 'production') {
114-
logger.warn(`The precached response for ` +
123+
logger.warn(
124+
`The precached response for ` +
115125
`${getFriendlyURL(request.url)} in ${this.cacheName} was not ` +
116-
`found. Falling back to the network instead.`);
126+
`found. Falling back to the network.`,
127+
);
128+
}
129+
130+
const integrityInManifest = params.integrity;
131+
const integrityInRequest = request.integrity;
132+
const noIntegrityConflict =
133+
!integrityInRequest || integrityInRequest === integrityInManifest;
134+
response = await handler.fetch(
135+
new Request(request, {
136+
integrity: integrityInRequest || integrityInManifest,
137+
}),
138+
);
139+
140+
// It's only "safe" to repair the cache if we're using SRI to guarantee
141+
// that the response matches the precache manifest's expectations,
142+
// and there's either a) no integrity property in the incoming request
143+
// or b) there is an integrity, and it matches the precache manifest.
144+
// See https://github.com/GoogleChrome/workbox/issues/2858
145+
if (integrityInManifest && noIntegrityConflict) {
146+
this._useDefaultCacheabilityPluginIfNeeded();
147+
const wasCached = await handler.cachePut(request, response.clone());
148+
if (process.env.NODE_ENV !== 'production') {
149+
if (wasCached) {
150+
logger.log(
151+
`A response for ${getFriendlyURL(request.url)} ` +
152+
`was used to "repair" the precache.`,
153+
);
154+
}
155+
}
117156
}
118-
response = await handler.fetch(request);
119157
} else {
120158
// This shouldn't normally happen, but there are edge cases:
121159
// https://github.com/GoogleChrome/workbox/issues/1441
@@ -126,18 +164,19 @@ class PrecacheStrategy extends Strategy {
126164
}
127165

128166
if (process.env.NODE_ENV !== 'production') {
129-
// Params in handlers is type any, can't change right now.
130-
// eslint-disable-next-line
131-
const cacheKey = handler.params && handler.params.cacheKey ||
132-
await handler.getCacheKey(request, 'read');
167+
const cacheKey =
168+
params.cacheKey || (await handler.getCacheKey(request, 'read'));
133169

134170
// Workbox is going to handle the route.
135171
// print the routing details to the console.
136-
logger.groupCollapsed(`Precaching is responding to: ` +
137-
getFriendlyURL(request.url));
138-
// cacheKey is type any, can't change right now.
139-
// eslint-disable-next-line @typescript-eslint/no-unsafe-member-access
140-
logger.log(`Serving the precached url: ${getFriendlyURL(cacheKey.url)}`);
172+
logger.groupCollapsed(
173+
`Precaching is responding to: ` + getFriendlyURL(request.url),
174+
);
175+
logger.log(
176+
`Serving the precached url: ${getFriendlyURL(
177+
cacheKey instanceof Request ? cacheKey.url : cacheKey,
178+
)}`,
179+
);
141180

142181
logger.groupCollapsed(`View request details here.`);
143182
logger.log(request);
@@ -149,10 +188,14 @@ class PrecacheStrategy extends Strategy {
149188

150189
logger.groupEnd();
151190
}
191+
152192
return response;
153193
}
154194

155-
async _handleInstall(request: Request, handler: StrategyHandler): Promise<Response> {
195+
async _handleInstall(
196+
request: Request,
197+
handler: StrategyHandler,
198+
): Promise<Response> {
156199
this._useDefaultCacheabilityPluginIfNeeded();
157200

158201
const response = await handler.fetch(request);

‎test/workbox-precaching/sw/test-PrecacheStrategy.mjs

+67-2
Original file line numberDiff line numberDiff line change
@@ -11,9 +11,9 @@ import {PrecacheStrategy} from 'workbox-precaching/PrecacheStrategy.mjs';
1111
import {eventDoneWaiting, spyOnEvent} from '../../../infra/testing/helpers/extendable-event-utils.mjs';
1212

1313

14-
function createFetchEvent(url) {
14+
function createFetchEvent(url, requestInit) {
1515
const event = new FetchEvent('fetch', {
16-
request: new Request(url),
16+
request: new Request(url, requestInit),
1717
});
1818
spyOnEvent(event);
1919
return event;
@@ -54,6 +54,71 @@ describe(`PrecacheStrategy()`, function() {
5454
const response2 = await ps.handle(createFetchEvent('/two'));
5555
expect(await response2.text()).to.equal('Fetched Response');
5656
expect(self.fetch.callCount).to.equal(1);
57+
58+
// /two should not be there, since integrity isn't used.
59+
const cachedUrls = (await cache.keys()).map((request) => request.url);
60+
expect(cachedUrls).to.eql([`${location.origin}/one`]);
61+
});
62+
63+
it(`falls back to network by default on fetch, and populates the cache if integrity is used`, async function() {
64+
sandbox.stub(self, 'fetch').callsFake((request) => {
65+
const response = new Response('Fetched Response');
66+
sandbox.replaceGetter(response, 'url', () => request.url);
67+
return response;
68+
});
69+
70+
const cache = await caches.open(cacheNames.getPrecacheName());
71+
await cache.put(new Request('/one'), new Response('Cached Response'));
72+
73+
const ps = new PrecacheStrategy();
74+
75+
const response1 = await ps.handle(createFetchEvent('/one'));
76+
expect(await response1.text()).to.equal('Cached Response');
77+
expect(self.fetch.callCount).to.equal(0);
78+
79+
const integrity = 'some-hash';
80+
const request = new Request('/two', {
81+
integrity,
82+
});
83+
const event = createFetchEvent(request.url, request);
84+
const response2 = await ps.handle({
85+
event,
86+
request,
87+
params: {
88+
integrity,
89+
},
90+
});
91+
expect(await response2.text()).to.equal('Fetched Response');
92+
expect(self.fetch.callCount).to.equal(1);
93+
94+
// No integrity is used, so it shouldn't populate cache.
95+
const response3 = await ps.handle(createFetchEvent('/three'));
96+
expect(await response3.text()).to.equal('Fetched Response');
97+
expect(self.fetch.callCount).to.equal(2);
98+
99+
// This should not populate the cache, because the params.integrity
100+
// doesn't match the request.integrity.
101+
const request4 = new Request('/four', {
102+
integrity,
103+
});
104+
const event4 = createFetchEvent(request4.url, request4);
105+
const response4 = await ps.handle({
106+
event: event4,
107+
request: request4,
108+
params: {
109+
integrity: 'does-not-match',
110+
},
111+
});
112+
expect(await response4.text()).to.equal('Fetched Response');
113+
expect(self.fetch.callCount).to.equal(3);
114+
115+
// /two should be there, since request.integrity matches params.integrity.
116+
// /three and /four shouldn't.
117+
const cachedUrls = (await cache.keys()).map((request) => request.url);
118+
expect(cachedUrls).to.eql([
119+
`${location.origin}/one`,
120+
`${location.origin}/two`,
121+
]);
57122
});
58123

59124
it(`just checks cache if fallbackToNetwork is false`, async function() {

0 commit comments

Comments
 (0)
Please sign in to comment.