我正在尝试从Firebase函数调用其他API,这些服务器是Google上的Actions的实现。
我尝试了以下方法:
const { dialogflow } = require('actions-on-google');
const functions = require('firebase-functions');
const http = require('https');
const host = 'wwws.example.com';
const app = dialogflow({debug: true});
app.intent('my_intent_1', (conv, {param1}) => {
// Call the rate API
callApi(param1).then((output) => {
console.log(output);
conv.close(`I found ${output.length} items!`);
}).catch(() => {
conv.close('Error occurred while trying to get vehicles. Please try again later.');
});
});
function callApi (param1) {
return new Promise((resolve, reject) => {
// Create the path for the HTTP request to get the vehicle
let path = '/api/' + encodeURIComponent(param1);
console.log('API Request: ' + host + path);
// Make the HTTP request to get the vehicle
http.get({host: host, path: path}, (res) => {
let body = ''; // var to store the response chunks
res.on('data', (d) => { body += d; }); // store each response chunk
res.on('end', () => {
// After all the data has been received parse the JSON for desired data
let response = JSON.parse(body);
let output = {};
//copy required response attributes to output here
console.log(response.length.toString());
resolve(output);
});
res.on('error', (error) => {
console.log(`Error calling the API: ${error}`)
reject();
});
}); //http.get
}); //promise
}
exports.myFunction = functions.https.onRequest(app);
这几乎正常。 API被调用,我得到了数据。问题是如果没有async / await,该函数不会等待“callApi”完成,我从Google上的Actions中得到一个错误,即没有响应。出错后,我可以看到Firebase日志中的console.log输出,所以一切正常,它只是不同步。
我尝试使用async / await但遇到错误,我认为是因为Firebase使用的旧版本的node.js不支持异步。
我怎样才能解决这个问题?
答案 0 :(得分:3)
您的函数callApi
会返回一个承诺,但您不会在您的意图处理程序中返回承诺。您应该确保添加return
,以便处理程序知道等待响应。
app.intent('my_intent_1', (conv, {param1}) => {
// Call the rate API
return callApi(param1).then((output) => {
console.log(output);
conv.close(`I found ${output.length} items!`);
}).catch(() => {
conv.close('Error occurred while trying to get vehicles. Please try again later.');
});
});