javascript – 如何使superagent返回一个承诺
作者:互联网
我一直在学习Node / Javascript,从一开始就使用promises(我不知道如何不使用promises,并且经常想知道其他人如何在没有它们的情况下相处).
所以我有时需要“宣传”简单的东西,比如用fs读取文件:
var readFile = function(path) {
return new Promise(function(fulfill, reject) {
fs.readFile(path, function(err, data) {
if (err) { reject(err); }
else { fulfill(data); }
});
});
};
这一直很有效.现在我需要对superagent做同样的事情,但它使用的链接风格让我陷入困境.
var request = require('superagent');
request.get(...).set(...).set(...).end(callback); // stuck!
我想用一个返回promise的方法替换end()方法(或忽略它并添加一个新方法).像这样……
var endQ = function() {
return new Promise(function(fulfill, reject) {
this.end(function(err, res) { // "this" is the problem!
if (err) { reject(err); }
else { fulfill(res); }
});
});
};
// then I could say this:
request.get(...).set(...).set(...).endQ().then(function(res) {
// happiness
}).catch(function(err) {
// sad about the error, but so happy about the promise!
});
This question here有关于向对象添加方法的各种建议,但很难看出什么是确定的.我特别担心this answer.许多建议都围绕着从对象的“类”开始并将函数添加到.prototype.像这样……
// this part doesn't make sense
var requestInstance = new Request(); // no such thing in request as far as I know
requestInstance.prototype.endQ = endQ; // would be great, but no
看到我的问题?我希望JS等同于“子类化”请求“类”并添加一个方法,但由于它是一个模块,我需要将请求类视为或多或少不透明.
解决方法:
首先是superagent already supports promises:
request.get(...).set(...).set(...).then(response => {
// handle it here
});
请注意,不像常规那样,那么这里不是一个承诺 – 它实际上是调用请求并且懒惰地行动.
其次,你想要做的很简单:
Object.getPrototypeOf(request.get(...)).endQ = function() { // get to prototype and define
/* your code here */
};
这是superagent本身的作用:
exports.then = function then(resolve, reject) {
if (!this._fullfilledPromise) {
var self = this;
this._fullfilledPromise = new Promise(function(innerResolve, innerReject){
self.end(function(err, res){
if (err) innerReject(err); else innerResolve(res);
});
});
}
return this._fullfilledPromise.then(resolve, reject);
}
标签:javascript,node-js,promise,superagent 来源: https://codeday.me/bug/20190608/1200883.html