开发者问题收集

如何处理 fetch api 中的空响应

2016-09-08
16534

我正在构建一个 react-native 应用程序并使用 fetch api 来处理服务器请求,如果从服务器返回的 json 不为空,则工作正常,但如果来自服务器的响应为空,它会给我一个错误-“Json Parse 错误:意外的 EOF”,下面是我用于 fetch 的代码,我试图在调试时设置断点以查看当从服务器返回空时响应中出现了什么,我找不到可以进行一些检查并在解析之前查看响应是否为空的东西,所以需要帮助

return fetch(url, //service url{
 method: type,     // get or post
  headers: {
   'Accept': 'application/json',
   'Content-Type': contentType,
  },
  body: data    //some input parameters
}).then((response) => {
        return  response.json();
    })
    .then((responseJson) => {
      request.onSuccess(responseJson);   // success callback
    })
    .catch((error) => {
     request.onError(error);     // error callback
      console.error(error);
    });
3个回答

这里 有一个很好的答案,但就我而言,我需要在 response.text() 返回后访问响应对象:

function buildResult(response) {
  // response.json() crashes on null response bodies
  // return {
  //   data: response.json(),
  //   identityToken: response.identityToken // sliding expiration...
  // };

  return new Promise((resolve, reject) => {
    response.text().then(body => {
      resolve({
        data: body.length ? JSON.parse(body) : null,
        identityToken: response.identityToken // sliding expiration...
      });
    }).catch(err => {
      reject(err);
    });
  });
}

//
// the api fetch function
//

function apiFetch(url) {
  return fetch(url)
    .then(checkStatus)
    .then(parseIdentityToken)
    .then(buildResult);
}
ChetPrickles
2018-08-28

如果您想 检查响应请求是否为空

const response = await fetch(url, options); // your url and options

if (response.ok) {
  const contentType = response.headers.get('content-type');

  if (contentType && contentType.indexOf('application/json') !== -1) {
    const json = await response.json();
    successCb(json); // Write your script.
  } else {
    successCb(); // if the request is successful but the response is empty. Write your script.
  }
}
Adi Dasler
2021-07-26

如果 json 响应 null 不要使用 response.json(),而要使用 response.text()

fetch(path)
            .then(function (response) {
                return response.text()
            }).then(function (data) {
                resolve(data.length == 0 ? null : JSON.parse(data))
            }).catch(err => {
                reject(err);
            })
Siva Kannan
2021-06-02