我使用了Google Apps脚本
var response = UrlFetchApp.fetch(url, params);
以获得来自api的响应。遗憾的是,我需要使用云端硬盘中的Google Apps脚本处理其太多的请求和太多的数据
我现在的想法是切换到Google云功能并请求,但它不起作用。
const request = require('request');
const headers = {
"Authorization" : "Basic " + Buffer.from('blabla').toString('base64')
};
const params = {
"method":"GET",
"headers":headers
};
exports.getCheckfrontBookings = (req, res) => {
let url = 'https://fpronline.checkfront.com/api/3.0/item'
request({url:url, qs:params}, function(err, response, body) {
if(err) { console.log(err); return; }
console.log("Get response: " + response.statusCode);
});
答案 0 :(得分:2)
request
本机支持回调接口,但不返回承诺,这是您在Cloud Function中必须执行的操作。
您可以使用request-promise
(https://github.com/request/request-promise)和rp(...)
方法“返回符合Promises / A +的常规承诺”,然后执行以下操作:
const rp = require('request-promise');
exports.getCheckfrontBookings = (req, res) => {
var options = {
uri: 'https://fpronline.checkfront.com/api/3.0/item',
headers: {
Authorization: 'Basic ' + Buffer.from('blabla').toString('base64')
},
json: true // Automatically parses the JSON string in the response
};
rp(options)
.then(response => {
console.log('Get response: ' + response.statusCode);
res.send('Success');
})
.catch(err => {
// API call failed...
res.status(500).send('Error': err);
});
};