我只是想从地理位置 API 获取纬度和经度,以便将数据传递到另一个 API 调用中以获取天气。如何使值分配给全局变量?截至目前,我已确定。
我已经将变量移入和移出函数。已尝试返回函数中的值并导出函数本身。
const https = require('https');
const locationApiKey =
"KEY GOES HERE";
let lat;
let lon;
let cityState;
module.exports = location = https.get(`https://api.ipdata.co/?api-key=${locationApiKey}`, response => {
try {
let body = " ";
response.on('data', data => {
body += data.toString();
});
response.on('end', () => {
const locationData = JSON.parse(body);
// console.dir(locationData);
lat = locationData.latitude;
lon = locationData.longitude;
});
} catch (error) {
console.error(error.message);
}
});
module.exports.lat = lat;
module.exports.lon = lon;
要导出异步调用检索到的某些值,您需要将它们包装在 Promise 或回调中。
使用承诺样式,它将如下所示
// File: api.js
module.exports = () => new Promise((resolve, reject) => {
https.get(`https://api.ipdata.co/?api-key=${locationApiKey}`, response => {
try {
let body = " ";
response.on('data', data => {
body += data.toString();
});
response.on('end', () => {
const { latitude, longitude } = JSON.parse(body);
resolve({lat: latitude, lon: longitude});
});
} catch (error) {
reject(error);
}
});
});
然后你可以得到这样的"包装">值
// File: caller.js
const getLocation = require('./api.js');
getLocation()
.then(({lat, lon}) => {
// The values are here
console.log(`Latitude: ${lat}, Longitude: ${lon}`)
}))
.catch(console.error);