1. Code
  2. JavaScript
  3. Node

Site Authentication in Node.js: User Signup and Login

Scroll to top

Just as authentication is important in APIs, it is also an important feature in certain web applications—especially those with pages and secrets that should only be accessible to registered and authenticated users.

In this tutorial, you will build a simple web application while learning how to create user registration.

Application Setup

Create a new directory where you will be working from. For this tutorial, we will create a folder called site-auth. You can initialize npm in the new directory you just created. Navigate to the terminal of your directory and initialize npm by typing the code snippet below.

1
npm init -y 

The -y flag tells npm to use the default options.

We will also be installing some dependencies for this project. Install them as follows:

1
npm install bcryptjs
2
npm install connect-flash
3
npm install cookie-parser
4
npm install express
5
npm install express-handlebars
6
npm install express-messages
7
npm install express-session 
8
npm install joi 
9
npm install mongoose 
10
npm install morgan 
11
npm install passport 
12
npm install passport-local

Now create a file in your working directory called app.js.

Start by requiring the dependencies you installed and any other necessary files.

1
// app.js

2
3
const express = require('express');
4
const morgan = require('morgan')
5
const path = require('path');
6
const cookieParser = require('cookie-parser');
7
const expressHandlebars = require('express-handlebars');
8
const flash = require('connect-flash');
9
const session = require('express-session');
10
const mongoose = require('mongoose')
11
const passport = require('passport')

For this tutorial, you will be using MongoDB as your database. You will need to store user information in the database. To work with MongoDB, you will make use of Mongoose—a MongoDB modelling tool for Node.js. Setting up Mongoose is easy, like this.

1
// app.js

2
3
mongoose.Promise = global.Promise
4
mongoose.connect('mongodb://localhost:27017/site-auth')

At this point, let's set up our middleware.

1
// 1

2
const app = express()
3
app.use(morgan('dev'))
4
5
// 2

6
app.set('views', path.join(__dirname, 'views'))
7
app.engine('handlebars', expressHandlebars.engine({
8
    extname: '.handlebars',
9
    defaultLayout: 'layout',
10
    layoutsDir: "views/layouts/"
11
}));
12
app.set('view engine', 'handlebars')
13
14
// 3

15
app.use(express.urlencoded({ extended: true }));
16
app.use(express.json());
17
app.use(cookieParser())
18
app.use(express.static(path.join(__dirname, 'public')))
19
app.use(session({
20
  cookie: { maxAge: 60000 },
21
  secret: 'cookiesecret',
22
  saveUninitialized: false,
23
  resave: false
24
}));
25
26
app.use(passport.initialize())
27
app.use(passport.session())
28
29
// 4

30
app.use(flash())
31
app.use((req, res, next) => {
32
  res.locals.success_messages = req.flash('success')
33
  res.locals.error_messages = req.flash('error')
34
  next()
35
})
36
37
38
// 5

39
// catch 404 and forward to error handler

40
app.use((req, res, next) => {
41
  res.render('notFound')
42
});
43
44
// 6

45
app.listen(5000, () => console.log('Server started listening on port 5000!'))
  1. Express is initialized and assigned to app.
  2. Middleware to handle views is set up. For the views, you'll be making use of handlebars.
  3. You set up middleware for express urlencoded, cookie, session, and passport. Passport will be used when users want to log in.
  4. At some points, you will be displaying flash messages. Thus you need to set up middleware for that, and also create the type of flash messages you want.
  5. Middleware to handle 404 errors. This middleware kicks in when a request does not map to any of the middleware created above it.
  6. The server is set to listen at port 5000.

We can run the server we just created on our computer with the following command:

1
node app.js

You should see the message Server started listening on port 5000! if your setup was successful.

Views Setup

Create a new directory called views. Inside the views directory, create two other directories called layouts and partials. You want to achieve a tree structure like this in your views folder, so create the necessary files in their respective directories.

1
├── layouts
2
│   └── layout.handlebars
3
├── partials
4
│   └── navbar.handlebars
5
├── dashboard.handlebars
6
├── index.handlebars
7
├── login.handlebars
8
├── notFound.handlebars
9
└── register.handlebars
project structureproject structureproject structure
Project file structure

With the file structure done, it is time to write the code.

1
#views/dashboard.handlebars
2
3
<!-- Jumbotron -->
4
<div class="jumbotron">
5
  <h1>User DashBoard</h1>
6
</div>

This is a dashboard that should be visible to only registered users. For this tutorial, it will be your secret page.

Now the index page for the application should look like this.

1
#views/index.handlebars
2
3
<!-- Jumbotron -->
4
<div class="jumbotron">
5
  <h1>Site Authentication!</h1>
6
  <p class="lead">Welcome aboard.</p>
7
</div>

The application needs a layout, and here is the layout you will be using.

1
#layout/layout.handlebars
2
3
<!DOCTYPE html>
4
<html>
5
  <head>
6
    <title>Site Authentication</title>
7
    <link rel="stylesheet" 
8
          href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap.min.css" 
9
          integrity="sha384-BVYiiSIFeK1dGmJRAkycuHAHRg32OmUcww7on3RYdg4Va+PmSTsz/K68vbdEjh4u" 
10
          crossorigin="anonymous">
11
    <link rel="stylesheet" 
12
          href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap-theme.min.css" 
13
          integrity="sha384-rHyoN1iRsVXV4nD0JutlnGaslCJuC7uwjduW9SVrLvRYooPp2bWYgmgJQIXwl/Sp" 
14
          crossorigin="anonymous">
15
    <link rel="stylesheet" 
16
          href="/css/style.css">
17
  </head>
18
  <body>
19
    {{#if success_messages }}
20
      <div class="alert alert-success">{{success_messages}}</div>
21
    {{/if}}
22
    {{#if error_messages }}
23
      <div class="alert alert-danger">{{error_messages}}</div>
24
    {{/if}}
25
    <div class="container">
26
      {{> navbar}}
27
      {{{body}}}
28
    </div>
29
30
    <script src="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/js/bootstrap.min.js" 
31
            integrity="sha384-Tc5IQib027qvyjSMfHjOMaLkfuWVxZxUPnCJA7l2mCWNIpG9mGCD8wGNIcPD7Txa" 
32
            crossorigin="anonymous"></script>
33
  </body>
34
</html>

You'll need a login page for registered users.

1
#views/login.handlebars
2
3
<form class="form-signin" action="/users/login" method="POST">
4
  <h2 class="form-signin-heading">Please sign in</h2>
5
6
  <label for="inputEmail" class="sr-only">Email address</label>
7
  <input type="email" id="inputEmail" name="email" class="form-control" placeholder="Email address" required autofocus>
8
9
  <label for="inputPassword" class="sr-only">Password</label>
10
  <input type="password" id="inputPassword" name="password" class="form-control" placeholder="Password" required>
11
12
  <br/>
13
  
14
  <button class="btn btn-lg btn-default btn-block" type="submit">Sign in</button>
15
</form>

The notFound.handlebars file will be used as your error page.

1
#views/notFound.handlebars
2
3
<!-- Jumbotron -->
4
<div class="jumbotron">
5
  <h1>Error</h1>
6
</div>

Your registration page is supposed to look like this.

1
#views/register.handlebars
2
3
<form class="form-signin" action="/users/register" method="POST">
4
  <h2 class="form-signin-heading">Please sign up</h2>
5
6
  <label for="inputEmail" class="sr-only">Email address</label>
7
  <input type="email" id="inputEmail" name="email" class="form-control" placeholder="Email address" required autofocus>
8
9
  <label for="inputUsername" class="sr-only">Username</label>
10
  <input type="text" id="inputUsername" name="username" class="form-control" placeholder="Username" required>
11
12
  <label for="inputPassword" class="sr-only">Password</label>
13
  <input type="password" id="inputPassword" name="password" class="form-control" placeholder="Password" required>
14
15
  <label for="inputConfirmPassword" class="sr-only">Confirm Password</label>
16
  <input type="password" id="inputConfirmPassword" name="confirmationPassword" class="form-control" placeholder="Confirm Password" required>
17
18
  <br/>
19
20
  <button class="btn btn-lg btn-default btn-block" type="submit">Sign up</button>
21
</form>

Finally, for your views, here's your navigation bar.

1
#partials/navbar.handlebars
2
3
<div class="masthead">
4
  <h3 class="text-muted">Site Authentication</h3>
5
  <nav>
6
    <ul class="nav nav-justified">
7
      <li class="active"><a href="/">Home</a></li>
8
      {{#if isAuthenticated}}
9
        <li><a href="/users/dashboard">Dashboard</a></li>
10
        <li><a href="/users/logout">Logout</a></li>
11
      {{else}}
12
        <li><a href="/users/register">Sign Up</a></li>
13
        <li><a href="/users/login">Sign In</a></li>
14
      {{/if}}
15
    </ul>
16
  </nav>
17
</div>

With that done, you are good to go into some deep parts.

Data Validation

You'll need a User model. From the views code above, you can deduce that the properties needed for the User model are email, username, and password. Create a directory called models, and a file in it called user.js.

1
#models/user.js
2
3
// 1

4
const mongoose = require('mongoose')
5
const Schema = mongoose.Schema
6
const bcrypt = require('bcryptjs')
7
8
// 2

9
const userSchema = new Schema({
10
  email: String,
11
  username: String,
12
  password: String
13
}, {
14
15
  // 3

16
  timestamps: {
17
    createdAt: 'createdAt',
18
    updatedAt: 'updatedAt'
19
  }
20
})
21
22
// 4

23
const User = mongoose.model('user', userSchema)
24
module.exports = User
  1. Imports dependencies and saves them in constants.
  2. A new Schema is created. For each user, you want to save the email, username, and password to the database. The Schema shows how the model is to be constructed for each document. Here you want the email, username, and password to be of the String type.
  3. For each user saved to the database, you also want to create timestamps. You utilize Mongoose to obtain the createdAt and updatedAt, and this is then saved to the database.
  4. The model is defined and assigned to a constant called User, which is then exported as a module so it can be used in other parts of the application.

Salting and Hashing of the Password

You do not want to store users' passwords as plain text. Here's what you want to do when a user enters a plain text password while registering. The plain text password should be hashed using a salt that will be generated by your application (using bcryptjs). This hashed password is then stored in the database.

Sounds great, right? Let's implement that in the user.js file.

1
#models/user.js
2
3
module.exports.hashPassword = async (password) => {
4
  try {
5
    const salt = await bcrypt.genSalt(10)
6
    return await bcrypt.hash(password, salt)
7
  } catch(error) {
8
    throw new Error('Hashing failed', error)
9
  }
10
}

You just created a method that will be called for events of user registration. The method will receive the plain text password the user entered. As I mentioned earlier, the plain text password will be hashed using a generated salt. The hashed password will be returned as the password for the user.

Index and Users Routes

Create a new directory called routes. In this new directory, create two new files: index.js and users.js.

The index.js file will be very simple. It will map to the index of your application. Remember you set up middleware for your routes in your app.js file when you did this.

1
app.use('/', require('./routes/index'))
2
app.use('/users', require('./routes/users'))

So your index route, which simply renders the index page, should look like this.

1
#routes/index.js
2
3
const express = require('express')
4
const router = express.Router()
5
6
router.get('/', (req, res) => {
7
    res.render('index')
8
})
9
10
module.exports = router

Signup Implementation 

Now to the users route. For now, this route file will be doing four things.

  1. Require dependencies. You will need to require the dependencies you installed using NPM.
  2. Validate user inputs. You want to make sure that the user does not submit an empty form. All inputs are required, and all must be of the type String. The email has a special validation called .email() which ensures that what is entered matches the email format, while the password is validated using a regular expression. For the confirmation password, you want it to be the same as the password entered. These validations are done using Joi.
  3. Set up your router. The GET request renders the registration page, while the POST request kicks in when the user hits the button to submit the form.
  4. The router gets exported as a module.

Here is what the code looks like.

1
#routes/users.js
2
3
const express = require('express');
4
const router = express.Router()
5
const Joi = require('joi')
6
const passport = require('passport')
7
8
const User = require('../models/user')
9
10
11
//validation schema

12
13
const userSchema = Joi.object().keys({
14
  email: Joi.string().email().required(),
15
  username: Joi.string().required(),
16
  password: Joi.string().regex(/^[a-zA-Z0-9]{6,30}$/).required(),
17
  confirmationPassword: Joi.any().valid(Joi.ref('password')).required()
18
})
19
20
router.route('/register')
21
  .get((req, res) => {
22
    res.render('register')
23
  })
24
  .post(async (req, res, next) => {
25
    try {
26
      const result = userSchema.validate(req.body)
27
      if (result.error) {
28
        req.flash('error', 'Data entered is not valid. Please try again.')
29
        res.redirect('/users/register')
30
        return
31
      }
32
33
      const user = await User.findOne({ 'email': result.value.email })
34
      if (user) {
35
        req.flash('error', 'Email is already in use.')
36
        res.redirect('/users/register')
37
        return
38
      }
39
40
      const hash = await User.hashPassword(result.value.password)
41
42
      delete result.value.confirmationPassword
43
      result.value.password = hash
44
45
      const newUser = await new User(result.value)
46
      await newUser.save()
47
48
      req.flash('success', 'Registration successfully, go ahead and login.')
49
      res.redirect('/users/login')
50
51
    } catch(error) {
52
      next(error)
53
    }
54
  })
55
56
  module.exports = router

The regex format for the password—/^[a-zA-Z0-9]{6,30}$/—indicates that the password should contain lowercase or uppercase alphabets or numerics and the password length should be a minimum of 6 and maximum of 30 characters. 

Let's look deeper into what is happening in that POST request.

The values entered in the registration form are accessible via req.body, and the values look like this.

1
{ 
2
    email: 'maryokosun@gmail.com',
3
    username: 'marynoir',
4
    password: 'marynoir',
5
    confirmationPassword: 'marynoir' 
6
}

This is validated using the userSchema you created above, and the values entered by the user are assigned to a constant called result.

If an error is encountered because of the validation, an error message is displayed to the user and a redirection to the registration page takes place.

Otherwise, we try to find if a user with the same email address exists, as you do not want to have two or more users with the same email address. If a user is found, the user is told that the email address is already in use.

In a scenario where no registered user has that email address, the next step is to hash the password. This is where you call the hashPassword method you created in your user.js file. The new hashed password is assigned to a constant called hash.

There is no need to store the confirmationPassword in the database, so this is deleted. The password available from result is still the plain password. Since you do not want to store the plain password in your database, it is important to reassign the password value to the hash that was created. This is done with a line of code.

1
result.value.password = hash

The new user instance gets saved to the database. A flash message stating that the registration was successful is displayed, and the user is redirected to the login page.

Start up your server from your terminal by running:

1
node app.js

Point your browser to https://localhost:5000 and you should see the registration page of your application.

Signup pageSignup pageSignup page
Signup page

Sign-In Implementation 

After a user has successfully registered, they would be routed to the login page. The next step would be implementing code for the sign-in feature. In the /routes/users.js file, within the validation schema, just below the userSchema, add the following code snippets for the login validation schema:

1
const loginSchema = Joi.object().keys({
2
  email: Joi.string().email().required(),
3
  password: Joi.string().regex(/^[a-zA-Z0-9]{6,30}$/).required()
4
})

In the routes section, add the following snippets just below the register route:

1
router.route('/login')
2
  .get((req, res) => {
3
    res.render('login')
4
  })
5
  .post(async (req, res, next) => {
6
  try {
7
    const result = loginSchema.validate(req.body)
8
    if (result.error) {
9
      req.flash('error', 'Data entered is not valid. Please try again.')
10
      res.redirect('/users/login')
11
      return
12
    }
13
14
    const user = await User.findOne({ 'email': result.value.email })
15
    if (user) {
16
      let passwordIsValid = bcrypt.compareSync(
17
        result.value.password,
18
        user.password
19
      );
20
      if (!passwordIsValid) {
21
        req.flash('error', 'Email/Password is not valid. Please try again.')
22
        res.redirect('/users/login')
23
        return
24
      }
25
      req.flash('success', 'Login successfully')
26
      res.redirect('/users/dashboard')
27
    }
28
  } catch (error) {
29
    next(error)
30
  }
31
})

The code snippet above sets up the login router. The GET request renders the login page, while the POST request handles the validation of the req.body and compares the password against the saved password in the database. If these checks are successful, the registered user can successfully log in and gets routed to the dashboard page.

login pagelogin pagelogin page

Dashboard Implementation 

The dashboard implementation is quite straightforward. Add the following code snippets in the /routes.index.js file beneath the GET request for the index page.

1
router.get('/users/dashboard', (req, res) => {
2
    res.render('dashboard')
3
})

The code above renders the dashboard page when the GET request to /users/dashboard is made.

Dashboard pageDashboard pageDashboard page
Dashboard

Conclusion

Now you know how to implement a registration and login system using Node.js in a web application. You have learned the importance of validating user input and how to do that using Joi. You also made use of bcryptjs to salt and hash your password.

You can find the full source code for the example used in the GitHub repository.

This post has been updated with contributions from Mary Okosun. Mary is a software developer based in Lagos, Nigeria, with expertise in Node.js, JavaScript, MySQL, and NoSQL technologies.

Did you find this post useful?
Want a weekly email summary?
Subscribe below and we’ll send you a weekly email summary of all new Code tutorials. Never miss out on learning about the next big thing.
Looking for something to help kick start your next project?
Envato Market has a range of items for sale to help get you started.