获取承诺链的两个返回值

时间:2019-04-24 02:10:15

标签: javascript node.js es6-promise

我在函数内部有一个Promise链,我想console.log从该链中2个函数返回的值。我该怎么做?使用我当前的代码,我从si.cpuTemperature()然后是undefined得到了值,但是我想从si.cpu()然后是si.cpuTemperature()得到了值。

const si = require('systeminformation');

function getCPUInfo() {
    return new Promise((resolve) => {
        resolve();
        console.log("Gathering CPU information...");
        return si.cpu()
        // .then(data => cpuInfo = data) - no need for this, the promise will resolve with "data"
        .catch(err => console.log(err)); // note, doing this will mean on error, this function will return a RESOLVED (not rejected) value of `undefined`
    })
    .then(() => {
        return si.cpuTemperature().catch(err => console.log(err));
    });
}

getCPUInfo().then((data1, data2) => console.log(data1, data2));

1 个答案:

答案 0 :(得分:2)

docs

systeminformation.method()返回一个承诺。因此,您实际上不需要将其包装在promise构造函数中,即new Promise()

要获取cpu和温度,因为它们并不相互依赖,您可以将并行承诺与异步函数一起使用,也可以仅使用并行承诺

async function getCpuAndTemperature() {
  const [cpu, temperature] = await Promise.all([
      si.cpu(),
      si.cpuTemperature()
  ])

  console.log(cpu, temperature)
}

function getCPUInfo() {
  return Promise.all([
      si.cpu(),
      si.cpuTemperature()
  ])
  .then(([cpu, temperature]) => {
    console.log(cpu, temperature)
  })
}