如何检查提取的响应是否是 javascript 中的 json 对象

我正在使用提取 polyfill 从 URL 中检索 JSON 或文本,我想知道如何检查响应是 JSON 对象还是仅仅是文本

fetch(URL, options).then(response => {
// how to check if response has a body of type json?
if (response.isJson()) return response.json();
});
129813 次浏览

您可以检查响应的 content-type,如 这个 MDN 示例所示:

fetch(myRequest).then(response => {
const contentType = response.headers.get("content-type");
if (contentType && contentType.indexOf("application/json") !== -1) {
return response.json().then(data => {
// The response was a JSON object
// Process your data as a JavaScript object
});
} else {
return response.text().then(text => {
// The response wasn't a JSON object
// Process your text as a String
});
}
});

如果您需要绝对确定内容是一个有效的 JSON (不要相信头部) ,您总是可以接受作为 text的响应并自己解析它:

fetch(myRequest)
.then(response => response.text()) // Parse the response as text
.then(text => {
try {
const data = JSON.parse(text); // Try to parse the response as JSON
// The response was a JSON object
// Do your JSON handling here
} catch(err) {
// The response wasn't a JSON object
// Do your text handling here
}
});

异步/等待

如果你使用的是 async/await,你可以用一种更线性的方式来写:

async function myFetch(myRequest) {
try {
const reponse = await fetch(myRequest);
const text = await response.text(); // Parse it as text
const data = JSON.parse(text); // Try to parse it as JSON
// The response was a JSON object
// Do your JSON handling here
} catch(err) {
// The response wasn't a JSON object
// Do your text handling here
}
}

使用类似 JSON.parse 的 JSON 解析器:

function IsJsonString(str) {
try {
var obj = JSON.parse(str);


// More strict checking
// if (obj && typeof obj === "object") {
//    return true;
// }


} catch (e) {
return false;
}
return true;
}

您可以通过一个 helper 函数干净利落地完成这项工作:

const parseJson = async response => {
const text = await response.text()
try{
const json = JSON.parse(text)
return json
} catch(err) {
throw new Error("Did not receive JSON, instead received: " + text)
}
}

然后像这样使用它:

fetch(URL, options)
.then(parseJson)
.then(result => {
console.log("My json: ", result)
})

这将抛出一个错误,所以你可以 catch它,如果你想要的。

我最近发布了一个 npm 包裹,其中包含了一些常见的实用函数。 我实现的这些函数中的一个就像 这个async/await答案一样,你可以使用如下:

import {fetchJsonRes, combineURLs} from "onstage-js-utilities";


fetch(combineURLs(HOST, "users"))
.then(fetchJsonRes)
.then(json => {
// json data
})
.catch(err => {
// when the data is not json
})

你可以在 Github上找到源头

Fetch返回一个 我保证。与承诺链,一个像这样的班轮将工作。

const res = await fetch(url, opts).then(r => r.clone().json().catch(() => r.text()));

enter image description here