我的问题是当您需要将上下文和参数传递给构建承诺的函数时, BlueBird中的承诺的优雅并行化。
为了使我的问题易于理解和测试,我做了一个不依赖的例子。
假设我进行涉及异步“计算机”(必须释放其资源)的计算( 1/(x x x) + 1/(x*x) )。正方形和立方体是异步独立计算的。
我可以这样计算:
InitComputer(2) // returns a promise
.then(invert)
.then(function(arg){
return Promise.all([
proto.square(arg),
proto.cube(arg)
]);
}).spread(function(sq, cu){
this.set(sq + cu);
}).catch(function(err){
console.log('err:', err);
}).finally(endComputer);
但与理论上可能的情况相比,我发现这种用法all
太重了。当您将函数作为参数传递给 时then
,它会被执行。当您将函数传递给 时all
,它们不是,存在错误。我怀疑我缺少实用程序或模式...
有没有一种解决方案可以将其更改为这种风格的更简单的东西:
InitComputer(2)
.then(invert)
.all([
proto.square,
proto.cube
]).spread(function(sq, cu){
this.set(sq + cu);
}).catch(function(err){
console.log('err:', err);
}).finally(endComputer);
?
我可能会破解Promise.prototype.all或定义一个新函数以避免增加多态性,但我只对不涉及修改我不拥有的对象的解决方案感兴趣。
附件:
以下是我的测试如何定义“计算机”:
var Promise = require("bluebird");
function Computer(){}
function InitComputer(v){
// initializing a computer is asynchronous and may fail hence the promise
var c = new Computer(), resolver = Promise.defer();
setTimeout(function(){
if (v>1) resolver.resolve(v);
else resolver.reject(new Error("bad value: "+v));
},100);
return resolver.promise.bind(c);
}
var proto = Computer.prototype;
proto.square = function(x){
// imagine this really uses the computer and is asynchronous
if (!this instanceof Computer) throw new Error('not a computer');
return x*x
}
proto.cube = function(x){ return x*x*x }
proto.set = function(v){ this.value = v }
function endComputer(){
// releases resources here
console.log('value:', this.value);
}
// this asynchronous function doesn't involve or know the computer
function invert(v){ return 1/v }