1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071 |
- var bcrypt = require('bcrypt-nodejs');
- var crypto = require('crypto');
- var mongoose = require('mongoose');
- var userSchema = new mongoose.Schema({
- email: { type: String, unique: true, lowercase: true },
- password: String,
- tokens: Array,
- profile: {
- name: { type: String, default: '' },
- username: { type: String, default: '' },
- location: { type: String, default: '' },
- website: { type: String, default: '' },
- bio: { type: String, default: '' },
- picture: { type: String, default: '' }
- },
- resetPasswordToken: String,
- resetPasswordExpires: Date
- });
- /********** PASS HASH **************/
- userSchema.pre('save', function(next) {
- var user = this;
- if (!user.isModified('password')) {
- return next();
- }
- bcrypt.genSalt(10, function(err, salt) {
- if (err) {
- return next(err);
- }
- bcrypt.hash(user.password, salt, null, function(err, hash) {
- if (err) {
- return next(err);
- }
- user.password = hash;
- next();
- });
- });
- });
- /********** PASS Valid **************/
- userSchema.methods.comparePassword = function(candidatePassword, cb) {
- bcrypt.compare(candidatePassword, this.password, function(err, isMatch) {
- if (err) {
- return cb(err);
- }
- cb(null, isMatch);
- });
- };
- /********** Gravatar **************/
- userSchema.methods.gravatar = function(size) {
- if (!size) {
- size = 200;
- }
- if (!this.email) {
- return 'https://gravatar.com/avatar/?s=' + size + '&d=retro';
- }
- var md5 = crypto.createHash('md5').update(this.email).digest('hex');
- return 'https://gravatar.com/avatar/' + md5 + '?s=' + size + '&d=retro';
- };
- module.exports = mongoose.model('User', userSchema);
|