在由谷歌的服務人員的例子之一,cache and return requests爲什麼獲取請求必須克隆到服務工作者?
self.addEventListener('fetch', function(event) {
event.respondWith(
caches.match(event.request)
.then(function(response) {
// Cache hit - return response
if (response) {
return response;
}
// IMPORTANT: Clone the request. A request is a stream and
// can only be consumed once. Since we are consuming this
// once by cache and once by the browser for fetch, we need
// to clone the response.
var fetchRequest = event.request.clone();
return fetch(fetchRequest).then(
function(response) {
// Check if we received a valid response
if(!response || response.status !== 200 || response.type !== 'basic') {
return response;
}
// IMPORTANT: Clone the response. A response is a stream
// and because we want the browser to consume the response
// as well as the cache consuming the response, we need
// to clone it so we have two streams.
var responseToCache = response.clone();
caches.open(CACHE_NAME)
.then(function(cache) {
cache.put(event.request, responseToCache);
});
return response;
}
);
})
);
});
在另一方面,由MDN,Using Service Workers提供的示例中,並不克隆該請求。
this.addEventListener('fetch', function(event) {
event.respondWith(
caches.match(event.request).then(function(resp) {
return resp || fetch(event.request).then(function(response) {
caches.open('v1').then(function(cache) {
cache.put(event.request, response.clone());
});
return response;
});
}).catch(function() {
return caches.match('/sw-test/gallery/myLittleVader.jpg');
})
);
});
在谷歌例如高速緩存未命中的情況下
所以:
我明白我們爲什麼要克隆響應:因爲它是由cache.put
消耗掉,我們仍然希望返回迴應請求它的網頁。
但爲什麼要克隆請求?在評論中說,它被緩存使用和用於獲取的瀏覽器。這究竟意味着什麼?
- 緩存中的哪個位置消耗了請求流?
cache.put
?如果是這樣,爲什麼不caches.match
消費的要求?
谷歌開發者網站基礎知識網站中的片段在實現方面有所不同。例如,Jake不會克隆請求[這裏](https://developers.google.com/web/fundamentals/instant-and-offline/offline-cookbook/#on-network-response) –
@ Schrodinger'scat :heh,但在該代碼下面說:*「爲了提高內存使用率,您只能讀取一次響應/請求的主體。在上面的代碼中,.clone()用於創建可以單獨讀取的其他副本。「*(注意*」......回覆/請求的主體......「)*)。我真的無法從服務人員的規範中看出,在幾分鐘之內,我是否給予它,無論您是否需要。我的猜測是你做的,*如果請求的主體是流。我可能會測試它(當然,我真的只知道它是否失敗*)。 –
嗯..而不是服務工作者規範,我猜這可能是記錄在緩存規範或獲取API規範..需要閱讀 –