registerPOST.js 1.8 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253
  1. const Route = require('../../structures/Route');
  2. const config = require('../../../../config');
  3. const log = require('../../utils/Log');
  4. const db = require('knex')(config.server.database);
  5. const bcrypt = require('bcrypt');
  6. const randomstring = require('randomstring');
  7. const moment = require('moment');
  8. class registerPOST extends Route {
  9. constructor() {
  10. super('/auth/register', 'post', { bypassAuth: true });
  11. }
  12. async run(req, res) {
  13. if (!config.enableCreateUserAccounts) return res.status(401).json({ message: 'Creation of new accounts is currently disabled' });
  14. if (!req.body) return res.status(400).json({ message: 'No body provided' });
  15. const { username, password } = req.body;
  16. if (!username || !password) return res.status(401).json({ message: 'Invalid body provided' });
  17. if (username.length < 4 || username.length > 32) {
  18. return res.status(400).json({ message: 'Username must have 4-32 characters' });
  19. }
  20. if (password.length < 6 || password.length > 64) {
  21. return res.status(400).json({ message: 'Password must have 6-64 characters' });
  22. }
  23. const user = await db.table('users').where('username', username).first();
  24. if (user) return res.status(401).json({ message: 'Username already exists' });
  25. let hash;
  26. try {
  27. hash = await bcrypt.hash(password, 10);
  28. } catch (error) {
  29. log.error('Error generating password hash');
  30. log.error(error);
  31. return res.status(401).json({ message: 'There was a problem processing your account' });
  32. }
  33. const now = moment.utc().toDate();
  34. await db.table('users').insert({
  35. username,
  36. password: hash,
  37. passwordEditedAt: now,
  38. apiKey: randomstring.generate(64),
  39. apiKeyEditedAt: now,
  40. createdAt: now,
  41. editedAt: now
  42. });
  43. return res.json({ message: 'The account was created successfully' });
  44. }
  45. }
  46. module.exports = registerPOST;