mirror of
https://github.com/PretendoNetwork/website.git
synced 2026-03-23 02:05:04 -05:00
69 lines
1.5 KiB
JavaScript
69 lines
1.5 KiB
JavaScript
/*
|
|
|
|
admin-user.js -
|
|
file containing the model file for admin user
|
|
|
|
*/
|
|
|
|
// imports
|
|
const mongoose = require('mongoose');
|
|
const uniqueValidator = require('mongoose-unique-validator');
|
|
const bcrypt = require('bcrypt');
|
|
|
|
// admin user database layout
|
|
const adminUserSchema = new mongoose.Schema({
|
|
username: {
|
|
type: String,
|
|
required: [true, 'Username is required.'],
|
|
minlength: [1, 'Username must be at-least 1 character.'],
|
|
maxlength: [42, 'Username cannot be more than 42 characters long.'],
|
|
unique: true,
|
|
trim: true
|
|
},
|
|
// non hashed, gets hashed at save
|
|
password: {
|
|
type: String,
|
|
required: [true, 'Password is required.'],
|
|
minlength: [7, 'Password must be at-least 7 characters.'],
|
|
maxlength: [256, 'Password cannot be more than 256 characters long.'],
|
|
trim: true
|
|
},
|
|
role: {
|
|
type: String,
|
|
required: true,
|
|
default: 'admin'
|
|
}
|
|
});
|
|
|
|
adminUserSchema.plugin(uniqueValidator, {message: '{PATH} already in use.'});
|
|
|
|
// hashing password
|
|
adminUserSchema.pre('save', function(next) {
|
|
// only if modified
|
|
if (!this.isModified('password')) {
|
|
return next();
|
|
}
|
|
|
|
// hashing
|
|
bcrypt.hash(this.get('password'), 10, (err, hash) => {
|
|
if (err) {
|
|
return next(err);
|
|
}
|
|
|
|
this.set('password', hash);
|
|
next();
|
|
});
|
|
});
|
|
|
|
adminUserSchema.statics.findByUsername = function(username) {
|
|
return this.model('adminUser').findOne({
|
|
username
|
|
});
|
|
};
|
|
|
|
const adminUserModel = mongoose.model('adminUser', adminUserSchema);
|
|
|
|
module.exports = {
|
|
adminUserModel,
|
|
adminUserSchema
|
|
}; |