我正在尝试将请求(请参阅https://developer.mozilla.org/en-US/docs/Web/API/Request/headers)对象中的标题列表转换为一个普通的键/值对象。
// Create a Request object.
const req = new Request('https://example.com', {
headers: {
'X-Test-header': 'Test'
}
});
遗憾的是,以下内容无法工作,因为headers
属性是一个iterator
无法使用的结果:
const result1 = JSON.stringify(req.headers);
// result1 = `{}`
可用的结果,但非常冗长的创建:
const headers = {};
for(const [key, value] of req.headers.entries()) {
headers[key] = value;
}
const result2 = JSON.stringify(headers)
// result2 = `{'X-Test-Header': 'Test'}`
我正在寻找某种单线(可能包括Array.from()
或some of the other methods on the Request.headers
object,如.keys()
/.values()
),这样我就可以对结果进行压缩。
发布于 2022-05-28 04:30:08
您可以使用Object.fromEntries()
方法,然后按照下面的方式对该对象进行字符串化。.fromEntries()
方法将调用header对象的迭代器(即:.entries()
)来获取标头对象的条目,然后使用它创建一个对象。然后,您可以将它传递给JSON.stringify()
以获得JSON字符串:
const req = new Request('https://example.com', {
headers: {
'X-Test-header': 'Test'
}
});
const result1 = JSON.stringify(Object.fromEntries(req.headers));
console.log(result1);
发布于 2022-05-28 04:29:36
如果您只想将头作为常规对象获取,则可以使用Array.from()
生成具有键值对的2d数组,并使用Object.fromEntries()
从2d数组中创建一个对象。
const req = new Request('https://example.com', {
headers: {
'X-Test-header': 'Test',
'accepts': 'application/json'
}
});
const headers = Object.fromEntries(Array.from(req.headers.entries()));
console.log(JSON.stringify(headers));
为什么要这么做?req.headers.entries()
为您提供了一个Interator {}
,它是数组类型,但不是数组。因此,您无法在其上实现任何Array.prototype
方法。但幸运的是,Array.from()
接受任何数组类型并将其转换为数组。
因此,Array.from(req.headers.entries())
生成一个2D数组,类似于-
[['X-Test-header', 'Test'], ['accepts', 'application/json']]
如果您看到了Object.fromEntries()
结构,那么您会发现这个方法使用相同的2D类型数组来生成一个对象。
现在可以在headers对象上应用JSON.stringify()
。
https://stackoverflow.com/questions/72415668
复制相似问题