当使用水线orm时,如果我想使用默认情况下提供的bluebird promise api,如何将处理传递回控制器。
下面是代码:
module.exports = {
//Authenticate
auth: function (req, res) {
user = req.allParams();
//Authenticate
User.authenticate(user, function (response) {
console.log(response);
if (response == true) {
res.send('Authenticated');
} else {
res.send('Failed');
}
});
}
};
module.exports = {
// Attributes
// Authenticate a user
authenticate: function (req, cb) {
User.findOne({
username: req.username
})
.then(function (user) {
var bcrypt = require('bcrypt');
// check for the password
bcrypt.compare(req.password, user.password, function (err, res) {
console.log(res);
if (res == true) {
cb(true);
} else {
cb(false);
}
});
})
.catch(function (e) {
console.log(e);
});
}
};
我只是想实现一个身份验证功能。业务逻辑是直截了当的。我所困惑的是,请求流是如何返回给控制器的。如果我试图返回一个响应,则承诺不会响应,但是执行cb(value)是有效的。
最佳答案
信守承诺的关键是永远不要打破这条链条。承诺链依赖于每一步,要么返回承诺或值,要么抛出错误。
下面是对代码的重写。请注意
路径中的每个回调都返回一些内容,每个函数都返回它所使用的承诺链(甚至在某个时候可能有用)
我用蓝知更鸟的
我已经通过显式设置.auth()
和.promisifyAll()
参数将bcrypt
与请求/响应基础结构分离。这样可以更容易地重用它。
所以现在我们已经(不是100%测试,我没有麻烦安装水线):
module.exports = {
// authenticate the login request
auth: function (req, res) {
var params = req.allParams();
return User.authenticate(params.username, params.password)
.then(function () {
res.send('Authenticated');
})
.fail(function (reason) {
res.send('Failed (' + reason + ')');
});
}
};
和
var Promise = require("bluebird");
var bcrypt = Promise.promisifyAll(require('bcrypt'));
module.exports = {
// check a username/password combination
authenticate: function (username, password) {
return User.findOne({
username: username
})
.then(function (user) {
return bcrypt.compareAsync(password, user.password)
})
.catch(function (err) {
// catch any exception problem up to this point
console.log("Serious problem during authentication", err);
return false;
})
.then(function (result) {
// turn `false` into an actual error and
// send a less revealing error message to the client
if (result === true) {
return true;
} else {
throw new Error("username or password do not match");
}
});
}
};