7

似乎服务工作者内部的 fetch 事件没有接收请求标头,尽管它在 MDN 文档中有所说明:

您可以通过调用 FetchEvent 返回的 Request 对象的参数来检索有关每个请求的大量信息:

event.request.url
event.request.method
event.request.headers
event.request.body

从主线程获取资源的代码:

fetch(`${companyConfig.base}ticket-scanner/config`, {
    headers: {
        'X-Nsft-Locale' : `en`,
        'X-Nsft-Id': `1`,
    },
}).then((response) => {
    return response.json();
}).then((data) => {...})

在 SW 文件中获取事件处理程序:

self.addEventListener('fetch', function(event) {
  event.respondWith(
    caches.match(event.request, {cacheName : CACHE_NAME})
        .then(function(response) {
            if(response) {
                return response;
            }
            console.log(event.request.headers); //Log out headers
            return fetch(event.request).then(function(response){
                return response;
            }).catch(function(err){
                console.error(err);
            })
        })
    )
});

记录每个 fetch 事件的标头给我一个空对象:

标头{}

这使我无法缓存仅需要这两个标头的特定请求。不需要凭据。我错过了什么吗?

4

1 回答 1

11

The Headers interface is iterable, supports a .get() accessor, and a .has() existence check.

You could take advantage of any of that to read the values you care about.

const request = new Request('https://example.com', {
  headers: {
    'x-header-1': 'header 1 value',
    'x-header-2': 'header 2 value',
  }
});

for (const [header, value] of request.headers) {
  console.log(`${header}: ${value} (via iterator)`);
}

console.log(`'x-header-1' is ${request.headers.get('x-header-1')}`);

console.log(`'x-header-2' ${request.headers.has('x-header-2') ? 'exists' : 'does not exist'}`);

于 2017-11-16T18:20:35.907 回答