我需要一个由db查询备份的redis查询的异步包装器。如果redis查询失败,我想进行db查询。如果db查询成功,我想在返回之前将返回的数据添加到redis。我需要函数(希望是对象上的几个这样的方法之一)来返回一个promise,因为它将从node.js中调用。 我正在使用bluebird promises库,并使用它来满足redis。我正在使用mongo-gyro作为db,它也是蓝鸟。这两项工作都是独立的。
任何帮助深深感激 - 甚至伪代码 - 尤其是。处理错误
function get_something(key){
redis.get(key).done(function (res){
if (null !== res){
return res; // how do I return a promise here?
}
})
.done(function (res){
db.find({'_id:key'}).done(function (res){
if (null !== res){
redis.set(key,result) // set db value in redis
.then(function(){
return res; //how do I return a promise here?
})
.catch()...?
return res; // how do I return a promise here?
}
})
.catch...?
};
更新:下面的函数有效,最后一个显示来自redis或mongo的数据。但是 - 到目前为止,我还没有成功将它转换为类的方法,该类返回一个返回给node.js处理程序的promise。 NB - 我需要添加' bind'以便捕获数据来源
var oid = '+++++ test oid ++++++'
var odata = {
'story': 'once upon a time'
}
var rkey = 'objects:'+ oid
redis.getAsync(rkey).bind(this).then(function(res){
if(res === null){
this.from = 'db' // we got from db
return db.findOne('objects',{'_id':oid})
}
data = JSON.parse(res)
this.from = 'redis' // we got from redis
return data
})
.then(function(res){
if(res !== null && this.from == 'db'){
data = JSON.stringify(res)
redis.setAsync(rkey,data)
}
return res
})
.then(function(res){ // at this point, res is not a promise
console.log('result from ' + this.from)
console.log(res)
});
答案 0 :(得分:1)
.done
终止了一个承诺链。一般来说,蓝鸟很聪明,可以自己解决未经处理的拒绝问题。
您正在寻找.then
:
redis.get(key).then(function(res){ res is redis .get response
if(res === null) throw new Error("Invalid Result for key");
return db.find({"_id":key); // had SyntaxError here, so guessing you meant this
}).then(function(res){ // res is redis .find response
return redis.set(key,result);
}).catch(function(k){ k.message === "Invalid Result for key",function(err){
// handle no key found
});
答案 1 :(得分:1)
Ideotype,从我对您的原始问题和您的更新的理解,我相信您可以实现您的目标,而无需标记来跟踪哪个来源产生了所需的数据。
这样的事情应该有效:
function get_something(oid) {
var rkey = 'objects:' + oid;
return redis.getAsync(rkey).then(function(res_r) {
if (res_r === null) {
return Promise.cast(db.findOne('objects', {'_id': oid})).then(function(res_db) {
redis.setAsync(rkey, res_db).fail(function() {
console.error('Failed to save ' + rkey + ' to redis');
});
return res_db;
});
}
return res_r;
}).then(function (res) {//res here is the result delivered by either redis.getAsync() or db.find()
if (res === null) {
throw ('No value for: ' + rkey);
}
return res;
});
}
注意:
oid
和rkey
来修复这些行。我在这里的理解是有限的。Promise.cast()
包装器可能是不必要的,具体取决于db.findOne()
返回的内容。