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

新手上路,请多包涵

我正在使用 fetch 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();
});

原文由 Sibelius Seraphini 发布,翻译遵循 CC BY-SA 4.0 许可协议

阅读 353
2 个回答

您可以检查响应的 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
  }
}

原文由 nils 发布,翻译遵循 CC BY-SA 4.0 许可协议

您可以使用辅助函数干净地完成此操作:

 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 如果需要的话。

原文由 larskarbo 发布,翻译遵循 CC BY-SA 4.0 许可协议

撰写回答
你尚未登录,登录后可以
  • 和开发者交流问题的细节
  • 关注并接收问题和回答的更新提醒
  • 参与内容的编辑和改进,让解决方法与时俱进
推荐问题