Lydia Tosin
7 min readNov 24, 2020

--

DATABASE CONNECTION USING EXPRESS AND SEQUELIZE: PART 2

PART 2A: USING EXPRESS GENERATOR

STEP 1

Open command prompt.

STEP 2

Create a folder for the node project in the location of your choice. Navigate to the folder, and then type

Make directory to the name of the folder

$ mkdir Article1

Change directory to the folder created

$ cd Article1

Run

$ code .

on the terminal to take you to the code editor

STEP 3

We run

$ npx express-generator

in order to generate the express server

We can install express globally for our projects

$ npm install -g express-generator

The project is created with series of directories as javascripts, stylesheets, routes, views and with files as package.json, app.js and few other files. This also specifies the next step to be executed (the command to install the dependencies)

STEP 4

We run

$ npm install

Lets view the package.json file that is created. All the dependencies needed for the project is added here automatically.

A directory with the name node_modules is created in the project folder and all the dependencies are added automatically in node_modules directory. The project setup is ready.

We open the app.js and see what is embedded in it . All the dependencies are invoked by the use of require method

The use of modules in app.js:

* body-parser — A middleware for handling Raw, Text, JSON and URL encoded form data(especially POST data).

* Cookie-Parser — To parse Cookie header and populate req.cookies with an object keyed by the cookie names.

* Jade-A template engine . It combines data and the template to produce HTML.

* Express — A web application framework that provides a set of features for web and mobile applications

* Morgan — A HTTP request logger middleware for node.js

Now, we run our application from the command line

$ npm start

The server gets started and listens to port 3002. Open the browser and load

http://localhost:3002.

You will get the output as shown below.

PART 2B: SEQUELIZE

Sequelize is an abstraction layer for raw SQL that enables us to use javascript to interact with our database.*

STEP 1

On the command line we install sequelize

$ npm i--save sequelize

STEP 2

We install MYSQL2 for storing application related information

$ npm i mysql2

STEP 3

We install the sequelize-cli on the command line inorder to take advantage of sequelize capabilities

$ npm install --save-dev sequelize-cli

STEP 3

To create an empty project we execute sequelize-cli init on the command line

$ npx sequelize-cli init

It will create the following folders:

  1. Config Folder: That contains config file which tells CLI(Command Line Interface) how to connect with database.

2. Models Folder: Contains models for your project.

3. Migrations Folder: Contains all migration files.

4. Seeders: Contains all seed files.

STEP 4

We create the MYSQL database with this command

$ npx sequelize-cli db:create

This database created can be seen on our localhost phpmyAdmin.

STEP 5

We create a model file which sequelize will use to organize the information and a migration which sequelize will use to set up the tables in our database.The model files are created based on the schema given.

We create a user model from the command line.

$ npx sequelize-cli model:generate — name User — attributes firstName:string,lastName:string,email:string,password:string 

We create a task model from the command line.

$ npx sequelize-cli model:generate — name Task — attributes title:string,userId:integer

STEP 6

To commit the User and Task table in the database we run this command:

$ npx sequelize-cli db:migrate

STEP 7

To undo migration we run this on the command line:

$ npx sequelize-cli db:migrate:undo

STEP 8

To manage all migrations we use seeders. Seed files are some changes in data that can be used to populate database table.

$ npx sequelize-cli seed:generate — name usernpx sequelize-cli seed:generate — name task*

It create seed file in the seeders folder. It follows the semantics as the migration files.

STEP 9

We run the command below on the command line for the seed file to be committed to the database.

$ npx sequelize-cli db:seed:all

STEP 10

To undo seed from database we run this command

$ npx sequelize-cli db:seed:undo

STEP 11

In the model folder we locate the user.js and task.js. We create their associations.

User association

use strict’;const {Model} = require(‘sequelize’);module.exports = (sequelize, DataTypes) => {class User extends Model {/** Helper method for defining associations.This method is not a part of Sequelize lifecycle.The `models/index` file will call this method automatically./// static associate(models) {// // define association here// }};User.associate = function(models){User.hasMany(models.Task)}User.init({firstName: DataTypes.STRING,lastName: DataTypes.STRING,email: DataTypes.STRING,password: DataTypes.STRING}, {sequelize,modelName: ‘User’,});return User;};

Task association

’use strict’;const {Model, BelongsTo} = require(‘sequelize’);module.exports = (sequelize, DataTypes) => {class Task extends Model {/**Helper method for defining associations.This method is not a part of Sequelize lifecycle.The `models/index` file will call this method automatically./// static associate(models) {// // define association here// }};Task.associate = function(models){Task.belongsTo(models.User)}Task.init({title: DataTypes.STRING,userId: DataTypes.INTEGER}, sequelize,modelName: ‘Task’,});return Task;};

STEP 12

We run the command on STEP 6 and STEP 9.

STEP 13

we create the task route and make changes in the user route

User route

var express = require(‘express’);var router = express.Router();const controller = require(‘../controllers/user.controller’);router.get(‘/:id’, controller.getUser);router.post(‘/’, controller.createUser);router.put(‘/:id’, controller.updateUser);router.delete(‘/:id’, controller.deleteUser);module.exports = router;```

Task route

const express = require(‘express’);const router = express.Router();const taskController = require (‘../controllers/task.controller’);router.get (‘/’, taskController.getTask);router.get(‘/user/:id’,taskController.getTasks);router.post (‘/create/:id’, taskController.createTask);router.put (‘/:id’, taskController.updateTask);router.delete (‘/:id’, taskController.deleteTask);module.exports = router;

The routes send the request to a specific action in the controller and determines the path by which the actions(packets) are forwarded or shared.

STEP 14

We create the controllers for user and task that controls the incoming request,catches error and sends back a response to the client.

User controller

const models = require(‘../models/index’);async function getUser(req,res){userId = req.params.id;const user = await models.User.findOne({where:{id:userId},attributes:[‘firstname’,’lastname’]})res.json(user);}async function createUser(req,res){var data = req.body;var user, msg;const checkUser = await models.User.findOne({where:{email:data.email}});if (checkUser){msg = “Sorry you already have an account”} else {const user = await models.User.create({firstname:data.firstname, lastname:data.lastname,email:data.email, password:data.password});msg = “Account successfully created”}res.json(msg);}async function updateUser(req,res){userId = req.params.id;var data = req.body;const user = await models.User.update({firstname:data.firstname, lastname:data.lastname,email:data.email, password:data.password},{where:{id:userId}});res.json({msg:’User updated successfully’})}async function deleteUser(req,res){userId = req.params.id;const user = await models.User.destroy({where:{id:req.params.id}});res.json({mssg:’user deleted’})}module.exports = {getUser,createUser,updateUser,deleteUser}

Task controller

const models = require(‘../models/index’);async function getTask(req, res) {const task = await models.Task.findAll({include:[models.user]});res.json(task);}async function getTasks(req,res){userId = req.params.id;const tasks = await models.Task.findAndCountAll({where:{userId:userId}})res.json(tasks)}async function createTask(req, res) {userId = req.params.id;var data = req.body;const task = await models.Task.create({title:data.title,userId:userId});res.json(task);}async function updateTask(req, res) {var data = req.body;msg = req.params.id;const task = await models.Task.update(res.body,{where: {id:msg}});msg = ‘Update Successful’res.json(msg);}async function deleteTask (req, res) {var userId = req.params.id;const task = await models.Task.destroy({where:{id: userId}})res.send(‘deleted’)}module.exports = {getTask,getTasks,createTask,updateTask,deleteTask,};

* GET REQUEST: help us FIND handles.

* POST REQUEST: help us SAVE handles.

* UPDATE REQUEST: help us to UPDATE saved handles.

*DELETE REQUEST: help us to DELETE saved handles.

We run our server using

$ npm start

or by installing Nodemon

 $ npm install --save-dev nodemon

it restart the server.

We carry out or check all actions using POSTMAN.

--

--