如何迁移到回调Node.js

时间:2019-03-20 18:16:52

标签: node.js callback request asynccallback

我需要将此代码转换为使用回调的干净代码,因为此代码不允许我在其他地方使用正文信息。

const endpoints = [];

function getDevicesFromPartnerCloud() {
  var options = {
    method: 'GET',
    url: 'https://database-dcda.restdb.io/rest/endpoints',
    headers: {
      'cache-control': 'no-cache',
      'x-apikey': '*****************************'
    }
  };
  request(options, function (error, response, body) {
    var data = JSON.parse(body);
    data.forEach(function(data, index) {
      let endpoint = createSceneEndpoint(data._id, data.name);
      endpoints.push(endpoint);
    });
  });
  return endpoints;
}

1 个答案:

答案 0 :(得分:0)

我认为最干净的方法是使用Promise处理异步request。要记住的最重要的事情之一是函数在理想情况下应该只做一件事。这样,它们就更易于测试,推理和重构。我会将实际发出请求的代码放入一个单独的函数中,并使其返回正文,然后让您的getDevicesFromPartnerCloud调用该新函数,取回数据,并按需要进行处理。最重要的是,这可以“释放”数据,使其不再滞留在request回调中,因为您将其包装在promise中,并在数据可用时对其进行解析。

类似:

const endpoints = [];

function requestDevices() {
  return new Promise(function(resolve, reject) {
    const options = {
      method: 'GET',
      url: 'https://database-dcda.restdb.io/rest/endpoints',
      headers: {
        'cache-control': 'no-cache',
        'x-apikey': '*****************************',
      },
    };

    request(options, function(error, response, body) {
      if (error) {
        reject(error)
      }

      resolve({ response: response, body: body });
    });
  });
}

async function getDevicesFromPartnerCloud() {
  const devicesResponse = await requestDevices();
  const data = JSON.parse(devicesResponse.body);
  data.forEach(function(data, index) {
    const endpoint = createSceneEndpoint(data._id, data.name);
    endpoints.push(endpoint);
  });

  // Do whatever else you need with devicesResponse.body

  return endpoints;
}

如果您想在es6方向上走得更多,也许像

let endpoints;

const requestDevices = () =>
  new Promise((resolve, reject) => {
    request(
      {
        method: 'GET',
        url: 'https://database-dcda.restdb.io/rest/endpoints',
        headers: {
          'cache-control': 'no-cache',
          'x-apikey': '*****************************',
        },
      },
      (error, response, body) => (error ? reject(error) : resolve(body)),
    );
  });

const getDevicesFromPartnerCloud = async () => {
  try {
    const body = await requestDevices();
    const data = JSON.parse(body);
    endpoints = data.map(({ _id, name }) =>
      createSceneEndpoint(_id, name),
    );

    // Do whatever else you need with devicesResponse.body
    // doStuff(body)

    return endpoints;
  } catch (e) {
    console.error(e);
  }
};