如何使用 Node Fetch 将来自 HTTP 请求的数据保存在变量中?

How to save data in variable from HTTP request using Node Fetch?

我正在尝试使用 node-fetch 将 GET 请求中的数据保存到变量中,但我得到了一些结果! 当我控制台记录响应时,我可以看到它。但是当我将 resData 分配给变量时,我得到了 undefined。

const fetch = require('node-fetch');

async function fetchData(){
const response = await fetch(url, options)
const resData = await response.json();
console.log(resData);
return resData; 
 };
 
let myApps
 
fetchData((data)=>{
 myApps = data;
});
 
console.log(myApps);

结果 ==> 未定义

有人可以帮助我!

您的 console.log 在您的网络请求完成之前执行。这是因为 HTTP 请求是异步的。 fetchData方法returns一个Promise。正确的实现应该是这样的:

const fetch = require('node-fetch');

async function fetchData(){
     const response = await fetch(url, options)
     const resData = response.json();
     console.log(resData);
     return resData; 
};
 
let myApps

fetchData().then((data) => {
   // the network request is completed
   myApps = data;
   console.log(myApps);
}).catch((e) => {
   // Network request has failed
   console.log(e);
});

// or using await if your parent method is an `async` function
try {
   myApps = await fetchData()
} catch (e) {
   // Network request has failed
   console.log(e);
}

更新:OP评论后

使用 express

在 API 调用中发送 fetchData 的响应
async function getData(req, res) {
  try {
     const data = await fetchData();
     // you can loop on your data as well
     
     // send the response
     res.json({ data });
  } catch (e) {
     res.status(503).json({ msg: "Internal Server Error" });
  }
}

// somewhere in your route
app.get("/data", getData);