Node.JS Schema.pre('save)不更改数据

时间:2018-07-11 17:54:26

标签: javascript node.js asp.net-web-api web bcrypt

我正在建立用户授权系统,并希望在将密码保存到数据库之前对密码进行哈希处理。为此,我使用bcrypt-nodejs。 上面标题中的问题;

var mongoose = require('mongoose');
var bcrypt = require('bcrypt-nodejs');

var userSchema = new mongoose.Schema({
    email: { 
         type: String,
         unique: true,
         required: true,
    },
    username: {
         type: String,
         unique: true,
         required: true
    },
    password: { 
         type: String,
         unique: true,
         required: true
    }
});

userSchema.pre('save', (next) => {
    var user = this;
    bcrypt.hash(user.password, bcrypt.genSaltSync(10), null, (err, hash) => {
        if (err) {
            return next(err);
        }
        user.password = hash;
        next();
    })
});

module.exports = mongoose.model('User', userSchema);

1 个答案:

答案 0 :(得分:1)

针对您的问题的解决方案如下:

var mongoose = require('mongoose');
var bcrypt = require('bcrypt-nodejs');

var userSchema = new mongoose.Schema({
  email: {
    type: String,
    unique:true,
    required: true
  },
  username: {
    type: String,
    required: true
  },
  password: {
    type: String,
    required: true
  }
});

userSchema.pre('save', function() {
  console.log(this.password);
  this.password = bcrypt.hashSync(this.password);
  console.log(this.password);
});

module.exports = mongoose.model('User', userSchema);

我用来运行解决方案的代码:

exports.create = async function () {
  let user = new User({
    email : 'test@test.com',
    username: 'new username',
    password: '123abc'
  });

  return await user.save()
    .then((result) => {
      console.log(result);
    }).catch((err) => {
      console.log(err)
    });
};

您的第一个问题是您无法在这种类型的方法中使用箭头功能Same Error Solved

第二个问题是,如果您不想处理Promises,则需要调用 bcrypt.hashSync 方法。

关于架构的一项观察,所有字段都是唯一的。此属性 unique:true 将在数据库中创建索引,并且您不会通过密码找到用户。这里是月球文档:Moogose Documentation

  

对于初学者来说,常见的陷阱是模式的唯一选项不是验证器。它是构建MongoDB唯一索引的便捷助手。有关更多信息,请参见FAQ。