在我的usersSchema
我想为我的hash
字段设置一个哈希密码。架构如下所示:
// models/user-model.js
const usersSchema = new Schema({
name: {
type: String,
required: true
},
email: {
type: String,
unique: true,
required: true
},
hash: String,
salt: String
}, { timestamps: true });
usersSchema.methods.setPassword = (password) => {
this.salt = crypto.randomBytes(16).toString('hex');
this.hash = crypto.pbkdf2Sync(password, this.salt, 1000, 64).toString('hex');
};
在我的路线中,我正在尝试使用姓名,电子邮件和密码设置新用户。这是路线:
// routes/users.js
router.get('/setup', (req, res) => {
const user = new User();
user.name = 'Jacob';
user.email = 'jacob@gmail.com';
user.setPassword('password');
user.save()
.then((user) => {
const token = user.generateJwt();
res.json({ yourToken: token });
})
.catch((err) => {
res.json(err);
});
});
当我从路线console.log(user)
时,它给了我以下内容:
{name:' Jacob',email:' jacob@gmail.com' }
我知道setPassword
方法可以创建适当的哈希值。但是,它不会将这些哈希值保存到user
对象中。如何将setPassword
应用于调用它的user
对象,以便它可以设置salt
和hash
属性?
答案 0 :(得分:2)
通过使用胖箭头表示法,您正在更改this
中setPassword
所指的内容,因此它不再指向用户文档。
尝试使用常规函数声明:
usersSchema.methods.setPassword = function(password) {
this.salt = crypto.randomBytes(16).toString('hex');
this.hash = crypto.pbkdf2Sync(password, this.salt, 1000, 64).toString('hex');
};