忽略服务工作者中的ajax请求

时间:2015-11-20 17:06:37

标签: service-worker

我有一个带有HTML,CSS和JS的基本'shell'的应用程序。页面的主要内容是通过多个ajax调用加载到API,该API位于我的应用程序运行的另一个URL上。我已经设置了一个服务工作者来缓存应用程序的主要“shell”:

var urlsToCache = [
  '/',
  'styles/main.css',
  'scripts/app.js',
  'scripts/apiService.js',
  'third_party/handlebars.min.js',
  'third_party/handlebars-intl.min.js'
];

并在请求时使用缓存版本进行响应。我遇到的问题是我的ajax调用的响应也被缓存。我很确定我需要在服务工作者的fetch事件中添加一些代码,这些代码总是从网络中获取它们而不是查看缓存。

以下是我的fetch事件:

self.addEventListener('fetch', function (event) {
    // ignore anything other than GET requests
    var request = event.request;
    if (request.method !== 'GET') {
        event.respondWith(fetch(request));
        return;
    }

    // handle other requests
    event.respondWith(
        caches.open(CACHE_NAME).then(function (cache) {
            return cache.match(event.request).then(function (response) {
                return response || fetch(event.request).then(function (response) {
                    cache.put(event.request, response.clone());
                    return response;
                });
            });
        })
    );
});

我不确定如何忽略对API的请求。我试过这样做:

if (request.url.indexOf(myAPIUrl !== -1) {
  event.respondWith(fetch(request));
  return;
}

但根据Chrome开发工具中的网络标签,所有这些回复仍然来自服务工作者。

1 个答案:

答案 0 :(得分:15)

您不必使用event.respondWith(fetch(request))来处理您要忽略的请求。如果您在未调用event.respondWith的情况下返回,浏览器将为您获取资源。

您可以执行以下操作:

if (request.method !== 'GET') { return; }
if (request.url.indexOf(myAPIUrl) !== -1) { return; }

\\ handle all other requests
event.respondWith(/* return promise here */);

IOW,只要您可以同步确定您不想处理请求,您只需从处理程序返回并让默认请求处理接管即可。 Check out this example.