Mongoose模式方法和"这个"更新属性 - NodeJS

时间:2016-07-15 17:18:41

标签: javascript node.js mongodb mongoose

在我的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对象,以便它可以设置salthash属性?

1 个答案:

答案 0 :(得分:2)

通过使用胖箭头表示法,您正在更改thissetPassword所指的内容,因此它不再指向用户文档。

尝试使用常规函数声明:

usersSchema.methods.setPassword = function(password) {
  this.salt = crypto.randomBytes(16).toString('hex');
  this.hash = crypto.pbkdf2Sync(password, this.salt, 1000, 64).toString('hex');
};