我正在使用node-gcloud https://github.com/GoogleCloudPlatform/gcloud-node与Google云端存储进行互动。
我正在开发一个node.js服务器(我的第一个node.js项目),为客户端提供一小组API。基本上,当用户上传文件时,API调用会返回已签名的URL来显示该文件。
getSignedUrl函数是异步https://googlecloudplatform.github.io/gcloud-node/#/docs/v0.8.1/storage?method=getSignedUrl,我找不到从另一个函数返回该结果的方法。
我已经开始玩Bluebird的承诺,但我无法理解它。这是我的代码:
var _signedUrl = function(bucket,url,options) {
new Promise(function (resolve, reject) {
var signed_url
bucket.getSignedUrl(options, function(err, url) {
signed_url = err || url;
console.log("This is defined: " + signed_url)
return signed_url
})
})
}
var _getSignedUrl = function(url) {
new Promise(function(resolve) {
var options = config.gs
, expires = Math.round(Date.now() / 1000) + (60 * 60 * 24 * 14)
, bucket = project.storage.bucket({bucketName: config.gs.bucket, credentials: config.gs })
, signed_url = null
options.action = 'read'
options.expires = expires// 2 weeks.
options.resource= url
signed_url = resolve(_signedUrl(bucket,url,options))
console.log("This is undefined: " + signed_url)
return JSON.stringify( {url: signed_url, expires: expires} );
});
}
我认为我错过了它应该如何工作的基础知识,所以任何提示都会受到赞赏。
编辑:
我在第一条评论中重写了我的解决方案:
getSignedUrl: function() {
var options = config.gs
, expires = Math.round(Date.now() / 1000) + (60 * 60 * 24 * 14)
, bucket = project.storage.bucket({bucketName: config.gs.bucket, credentials: config.gs })
, signed_url = null
options.action = 'read'
options.expires = expires// 2 weeks.
options.resource= this.url
Promise.promisifyAll(bucket);
return bucket.getSignedUrlAsync(options).catch(function(err) {
return url; // ignore errors and use the url instead
}).then(function(signed_url) {
return JSON.stringify( {url: signed_url, expires: expires} );
});
}
我不清楚双重回报是如何起作用的,但是如果我保留了 返回桶
我得到的是这个输出:
{url: {_bitField:0, _fulfillmentHandler0:undefined, _rejectionHandler0:未定义, _promise0:未定义, _receiver0:未定义, _settledValue:未定义, _boundTo:undefined} }
,如果将其删除并保留
return JSON.stringify( {url: signed_url, expires: expires} );
我像以前一样未定义。我错过了什么?
答案 0 :(得分:2)
有些观点:
new Promise(function(res, rej){ … })
解析程序回调中,您实际上需要调用 resolve()
或reject()
(异步),而不是return
任何内容。resolve
不会返回任何内容。你似乎用它来等待"等待"返回promise的结果的操作,但这是不可能的。承诺仍然是异步的。new Promise
。请改用Promisification。您的代码应该看起来像
var gcloud = require('gcloud');
Promise.promisifyAll(gcloud); // if that doesn't work, call it once on a
// specific bucket instead
function getSignedUrl(url) {
var options = config.gs,
expires = Math.round(Date.now() / 1000) + (60 * 60 * 24 * 14),
bucket = project.storage.bucket({bucketName: config.gs.bucket, credentials: config.gs });
options.action = 'read';
options.expires = expires; // 2 weeks.
options.resource = url;
return bucket.getSignedUrlAsync(options).catch(function(err) {
return url; // ignore errors and use the url instead
}).then(function(signed_url) {
console.log("This is now defined: " + signed_url);
return JSON.stringify( {url: signed_url, expires: expires} );
});
}