Service Worker 发送两个请求

Service worker sends two requests

我已经实现了一个 service worker,它缓存所有离线使用的请求,这工作正常。但是每次我加载一个页面时,都会有两个请求到达我的网络服务器(一个来自服务工作者,一个来自浏览器)!

如何缓存请求并只加载一次页面?

服务-worker.js

self.addEventListener('install', function(event) {
  //load error page which will show if user has no internet
  var errorPage = new Request('/?p=error&offline');
  event.waitUntil(pushToCache(errorPage));
});

//If any fetch fails, it will look for the request in the cache and serve it from there first
self.addEventListener('fetch', function(event) {
  event.waitUntil(pushToCache(event.request));

  event.respondWith(
    fetch(event.request) //try loading from internet
    .catch(function (error) {
      return fetchFromCache(event.request);
    }) //no internet connection try getting it from cache
  );
});

function pushToCache(request){
  if(request.method == "GET"){
    return caches.open('stm-app').then(function (cache) {
      return fetch(request).then(function (response) {
        return cache.put(request, response);
      });
    });
  }
};

function fetchFromCache(request) {
  return caches.open('stm-app').then(function (cache) {
    return cache.match(request).then(function (matching) {
      if(!matching || matching.status == 404){
        return fetchFromCache(new Request('/?p=error&offline')); //show page that user is offline
      }else{
        return matching;
      }
    });
  });
}

sw-register.js

if ('serviceWorker' in navigator) {
  navigator.serviceWorker.register('service-worker.js')
  .then(function(registration) {
    console.log('Registered:', registration);
  })
  .catch(function(error) {
    console.log('Registration failed: ', error);
  });
}

所以当您发出请求时会发生以下情况:

  1. 网页向服务器发送获取请求,
  2. Service Worker 拦截了对 'fetch' 事件的请求,
  3. pushToCache()向服务器发出获取请求以缓存响应,
  4. 然后您通过向服务器发送获取请求来响应事件,这将return承诺来自网络服务器的响应。

是的,这是有道理的,那个东西只是为页面最初发出的每个请求向两个服务器发送了两个请求。

您可能要考虑的一件事是首先从缓存中响应,然后在网络上获取最新数据。这样你就可以避免在连接问题的情况下加载延迟,即使用户在线,它也会加快页面的加载时间。

让我们考虑以下场景:用户或服务器离线。发出请求后,它必须超时才能转到承诺的捕获部分并获取缓存的响应。

拦截事件后,您可以做的是检查缓存中的匹配项,如果找到任何内容,则用它来响应事件。然后启动一个获取请求以更新缓存。 现在,如果您没有找到任何内容,请触发获取请求,克隆响应(因为响应主体只能使用一次),使用原始响应进行响应,然后使用克隆的响应更新缓存。

我们用它实现了什么?

用户在线、离线、谎言,即时响应!

服务器最多收到一个请求,缓存将始终使用来自服务器的最新数据进行更新!

serviceworke.rs 是一个很好的资源,可以帮助您了解如何使用 Service Workers 做很多有趣的事情。

This page 特别详细地解释了我上面所说的是如何工作的。