1
我想重構我的用戶架構。這個決定的主要原因是我不想擔心密碼和鹽的產生。所以我想將編碼邏輯從pre save處理程序移到setter。不幸的是,我不能從setter訪問對象的其他屬性(如鹽)。貓鼬如何處理密碼很好?
因此,默認的鹽不起作用,用鹽編碼密碼也不行。
我目前的實現是:
var userSchema = new mongoose.Schema({
username: {
type: String,
index: { unique: true, sparse: true },
required: true, lowercase: true, trim: true
},
email: {
type: String,
index: { unique: true, sparse: true },
required: true, lowercase: true, trim: true
},
salt: {
type: String,
select: false
},
password: {
type: String,
select: false
},
plainPassword: {
type: String,
select: false
}
});
// FIXME: password encoding only on change, not always
userSchema.pre('save', function(next) {
// check if a plainPassword was set
if (this.plainPassword !== '') {
// generate salt
crypto.randomBytes(64, function(err, buf) {
if (err) return next(err);
this.salt = buf.toString('base64');
// encode password
crypto.pbkdf2(this.plainPassword, this.salt, 25000, 512, function(err, encodedPassword) {
if (err) return next(err);
this.password = new Buffer(encodedPassword, 'binary').toString('base64');
this.plainPassword = '';
}.bind(this));
}.bind(this));
}
next();
});
// statics
userSchema.methods.hasEqualPassword = function(plainPassword, cb) {
crypto.pbkdf2(plainPassword, this.salt, 25000, 512, function(err, encodedPassword) {
if (err) return next(err);
encodedPassword = new Buffer(encodedPassword, 'binary').toString('base64');
cb((this.password === encodedPassword));
}.bind(this));
}
module.exports = mongoose.model('User', userSchema, 'Users');
已有人設法移動加密,貓鼬制定者?
問候,博多
所以,唯一的辦法就是節省事件處理程序的用戶或者是有別的可能嗎? – bodokaiser
我不用中間件處理它,我只是使用實例方法。看到我的第二個答案的演示。 – srquinn