我有一个在我的mongoosejs ODM架构中定义的自定义方法,它允许我生成一个salt并对给定的密码进行编码。
因为node.js加密模块是异步的,所以我必须将密码编码放入salt回调中(否则根本就没有盐,因为生成需要时间)。 但这不是主要问题。主要问题是我需要设置mongoosejs对象的salt和password属性。通常用“this”执行此操作,但“this”在回调中不起作用(它指的是回调而不是父对象)。
那么,我怎么能从异步电话中取回我的编码密码和盐?
methods: {
setPassword: function(password) {
crypto.randomBytes(32, function(err, buf) {
var salt = buf.toString('hex');
this.salt = salt;
crypto.pbkdf2(password, salt, 25000, 512, function(err, encodedPassword) {
if (err) throw err;
this.password = encodedPassword;
});
});
}
}
我也尝试过使用return语句,但它们没有返回任何内容......
答案 0 :(得分:7)
您可以在回调之外将变量设置为this
并在其中使用:
methods: {
setPassword: function(password) {
crypto.randomBytes(32, function(err, buf) {
var self = this;
var salt = buf.toString('hex');
this.salt = salt;
crypto.pbkdf2(password, salt, 25000, 512, function(err, encodedPassword) {
if (err) throw err;
self.password = encodedPassword;
});
});
}
}
或者您可以绑定回调函数,以便保留this
的值:
methods: {
setPassword: function(password) {
crypto.randomBytes(32, function(err, buf) {
var salt = buf.toString('hex');
this.salt = salt;
crypto.pbkdf2(password, salt, 25000, 512, function(err, encodedPassword) {
if (err) throw err;
this.password = encodedPassword;
}.bind(this));
});
}
}