我试图让服务人员根据请求的类型响应获取事件。对于静态资源,我使用缓存:
// TODO: make cache update when item found
const _fetchOrCache = (cache, request) => {
return cache.match(request).then(cacheResponse => {
// found in cache
if (cacheResponse) {
return cacheResponse
}
// has to add to cache
return fetch(request)
.then(fetchResponse => {
// needs cloning since a response works only once
cache.put(request, fetchResponse.clone())
return fetchResponse
});
}).catch(e => { console.error(e) })
}
对于 api 响应,我已经将 IndexedDB 与 Jake Archibald 的 IndexedDB 连接起来,承诺返回如下内容:
const fetchAllItems = () => {
return self.idbPromise
.then(conn => conn.transaction(self.itemDB, 'readonly'))
.then(tx => tx.objectStore(self.itemDB))
.then(store => store.getAll())
.then(storeContents => JSON.stringify(storeContents));
}
当我调用服务工作者中的所有内容时,缓存部分可以工作,但是 indexedDB 惨遭失败,抛出一个无法在 api url 获取的错误:
self.addEventListener("fetch", event => {
// analyzes request url and constructs a resource object
const resource = getResourceInfo(event.request.url);
// handle all cachable requests
if (resource.type == "other") {
event.respondWith(
caches.open(self.cache)
.then(cache => _fetchOrCache(cache, event.request))
);
}
// handle api requests
if (resource.type == "api") {
event.respondWith(
new Response(fetchAllItems());
);
}
});
我的问题如下:
1.) 像这样分离存储获取请求有什么意义吗?
2.) 如何使 indexedDB 部分工作?