Want to learn coding through videos for free?
Check my youtube channel => HERE!

Full Stack Web App Using Vue.Js, Express Js and MySQL (Complete Guide)

Full Stack Web App Using Vue.Js, Express Js and MySQL (Complete Guide)

In this tutorial you will learn how to create a full stack web application with a node.js express js, MySQL and Vue js.

Not only that,

In this tutorial you will also learn how to use Bulma CSS to style the frontend.

Thus the application becomes more user friendly with an elegant and responsive user interface (UI).

This is not a tutorial for beginners,

If you are a beginner to node.js express, I suggest you first learn "Express Js Tutorial For Beginners". 

This tutorial consists of 3 parts: Part # 1 Backend, Part # 2 Frontend, and Part # 3. Testing.

Let’s get started.

 

Part #1. Backend

1.1. Create database and table

Create a new database on MySQL, you can use tools like SQLyog, PHPMyAdmin or similar tools.

Here I created a database with the name pos_db.

If you create a database with the same name that's even better.

To create a database with MySQL, it can be done by executing the following query:

CREATE DATABASE pos_db;

The SQL command above will create a database with the name “pos_db”.

Next, create a table in the “pos_db” database.

Here I created a table with the name “product”.

If you create a table with the same name that's even better. 

To create a "product" table, it can be done by executing the following SQL command:

CREATE TABLE product(
product_id INT(11) PRIMARY KEY AUTO_INCREMENT,
product_name VARCHAR(200),
product_price DOUBLE 
)ENGINE=INNODB;

 

1.2. Install Express, MySQL2, and Cors

Create a folder on your computer, here I give the name "fullstack-app".

If you make it with the same name, that's even better.

You are free to make it anywhere, whether on C, D, or on the Desktop.

This folder will be our project folder later.

Then open the folder using a code editor, here I am using Visual Studio Code.

I also recommend you to use Visual Studio Code.

You can download Visual Studio Code at the following link and install it on your computer:

https://code.visualstudio.com/

Next, open a terminal in Visual Studio Code on the terminal menu bar.

Then, create a "backend" folder in the "fullstack-app" folder by typing the following command in the terminal:

mkdir backend

Then go to the "backend" folder by typing the following command:

cd backend

After that, type the following command to create a "package.json" file in the "backend" folder:

npm init –y

Next, install expressmysql2, and cors by typing the following commands in the terminal:

npm install express mysql2 cors

Like the following picture:

install-express

Next, add the following code to the "package.json" file:

"type": "module",

So that the "package.json" file looks like this:

{
  "name": "backend",
  "version": "1.0.0",
  "description": "",
  "type": "module",
  "main": "index.js",
  "scripts": {
    "test": "echo "Error: no test specified" && exit 1"
  },
  "keywords": [],
  "author": "",
  "license": "ISC",
  "dependencies": {
    "cors": "^2.8.5",
    "express": "^4.17.1",
    "mysql2": "^2.2.5"
  }
}

This is so that we can use the ES6 Module Syntax to export and import modules.

 

1.3. Application Structure

To make the application more neatly structured, we will apply the MVC (Model-View-Controllers) pattern.

Create folders "config", "controllers", "models", and "routes" inside the "backend" folder.

Then create a file "database.js" in the "config" folder, create a file "product.js" in the "controllers" folder, create a file "productModel.js" in the "models" folder, create a file "routes.js" inside the “routes” folder, and create a “index.js” file inside the “backend” folder.

Look at the following picture for more details:

app-structure

 

1.4. Connect to Database

Open the "database.js" file in the "config" folder, then type the following code:

import mysql from "mysql2";
 
// create the connection to database
const db = mysql.createConnection({
  host: 'localhost',
  user: 'root',
  password: '',
  database: 'pos_db'
});

export default db;

 

1.5. Models

Open the "productModel.js" file in the "models" folder, then type the following code:

// import connection
import db from "../config/database.js";

// Get All Products
export const getProducts = (result) => {
    db.query("SELECT * FROM product", (err, results) => {             
        if(err) {
            console.log(err);
            result(err, null);
        } else {
            result(null, results);
        }
    });   
}

// Get Single Product
export const getProductById = (id, result) => {
    db.query("SELECT * FROM product WHERE product_id = ?", [id], (err, results) => {             
        if(err) {
            console.log(err);
            result(err, null);
        } else {
            result(null, results[0]);
        }
    });   
}

// Insert Product to Database
export const insertProduct = (data, result) => {
    db.query("INSERT INTO product SET ?", [data], (err, results) => {             
        if(err) {
            console.log(err);
            result(err, null);
        } else {
            result(null, results);
        }
    });   
}

// Update Product to Database
export const updateProductById = (data, id, result) => {
    db.query("UPDATE product SET product_name = ?, product_price = ? WHERE product_id = ?", [data.product_name, data.product_price, id], (err, results) => {             
        if(err) {
            console.log(err);
            result(err, null);
        } else {
            result(null, results);
        }
    });   
}

// Delete Product to Database
export const deleteProductById = (id, result) => {
    db.query("DELETE FROM product WHERE product_id = ?", [id], (err, results) => {             
        if(err) {
            console.log(err);
            result(err, null);
        } else {
            result(null, results);
        }
    });   
}

 

1.6. Controllers

Open the "product.js" file in the "controllers" folder, then type the following code:

// Import function from Product Model
import { getProducts, getProductById, insertProduct, updateProductById, deleteProductById } from "../models/productModel.js";

// Get All Products
export const showProducts = (req, res) => {
    getProducts((err, results) => {
        if (err){
            res.send(err);
        }else{
            res.json(results);
        }
    });
}

// Get Single Product 
export const showProductById = (req, res) => {
    getProductById(req.params.id, (err, results) => {
        if (err){
            res.send(err);
        }else{
            res.json(results);
        }
    });
}

// Create New Product
export const createProduct = (req, res) => {
    const data = req.body;
    insertProduct(data, (err, results) => {
        if (err){
            res.send(err);
        }else{
            res.json(results);
        }
    });
}

// Update Product
export const updateProduct = (req, res) => {
    const data  = req.body;
    const id    = req.params.id;
    updateProductById(data, id, (err, results) => {
        if (err){
            res.send(err);
        }else{
            res.json(results);
        }
    });
}

// Delete Product
export const deleteProduct = (req, res) => {
    const id = req.params.id;
    deleteProductById(id, (err, results) => {
        if (err){
            res.send(err);
        }else{
            res.json(results);
        }
    });
}

 

1.7. Routes

Open the "routes.js" file in the "routes" folder, then type the following code:

// import express
import express from "express";

// import function from controller
import { showProducts, showProductById, createProduct, updateProduct, deleteProduct } from "../controllers/product.js";

// init express router
const router = express.Router();

// Get All Product
router.get('/products', showProducts);

// Get Single Product
router.get('/products/:id', showProductById);

// Create New Product
router.post('/products', createProduct);

// Update Product
router.put('/products/:id', updateProduct);

// Delete Product
router.delete('/products/:id', deleteProduct);

// export default router
export default router;

 

1.8. Index.js

Open the "index.js" file in the "backend" folder, then type the following code:

// import express
import express from "express";
// import cors
import cors from "cors";
// import routes
import Router from "./routes/routes.js";

// init express
const app = express();

// use express json
app.use(express.json());

// use cors
app.use(cors());

// use router
app.use(Router);

app.listen(5000, () => console.log('Server running at http://localhost:5000'));

Next, type the following command in the terminal:

node index

Like the following picture:

node-index

At this point you have successfully created the backend.

To make sure the backend is running well, you can use POSTMAN to do some testing.

 

Part #2. Frontend

2.1. Install Vue CLI

To install Vue CLI can be done easily using NPM.

Open a new terminal in Visual Studio Code, then type the following command to install Vue CLI:

npm install –g @vue/cli

The command above, will install Vue CLI globally on your computer.

To make sure Vue CLI is installed on your computer, type the following command in the terminal:

vue --version

Like the following picture:

vue-version

 

2.2. Create Vue Project

If Vue CLI has been installed on your computer, please create a Vue project by typing the following command in the terminal:

vue create frontend

If the installation is successful, there will be a "frontend" folder inside the "fullstack-app" folder.

So that in the "fullstack-app" folder there are two folders, namely: "backend" and "frontend" as shown below:

fullstack-folder

The "backend" folder is the application folder that was built before using node.js express, while the "frontend" is the application folder created using vue js.

Next, go to the "frontend" folder by typing the following command in the terminal:

cd frontend 

After that, install vue-routeraxios, and bulma by typing the following commands in the terminal:

npm install vue-router axios bulma

Like the following picture:

install-dependencies

Vue-router to create routes in the vue js application, axios is a promise based http client for browsers and node.js, and bulma is a CSS framework to beautify the user interface (UI).

After that, to make sure everything is going well, type the following command to run the vue js application:

npm run serve 

Like the following picture:

npm-run-serve

Open your browser, then visit the following URL:

http://localhost:8080/

If it goes well, it will look like this:

welcome-vue

 

2.3. Components

Create the components files "ProductList.vue", "AddProduct.vue", and "EditProduct.vue" in the "frontend/src/components" folder.

Like the following picture:

components

Open the file "ProductList.vue", then type the following code:

<template>
  <div>
    <router-link :to="{ name: 'Create' }" class="button is-success mt-5"
      >Add New</router-link
    >
    <table class="table is-striped is-bordered mt-2 is-fullwidth">
      <thead>
        <tr>
          <th>Product Name</th>
          <th>Price</th>
          <th class="has-text-centered">Actions</th>
        </tr>
      </thead>
      <tbody>
        <tr v-for="item in items" :key="item.product_id">
          <td>{{ item.product_name }}</td>
          <td>{{ item.product_price }}</td>
          <td class="has-text-centered">
            <router-link
              :to="{ name: 'Edit', params: { id: item.product_id } }"
              class="button is-info is-small"
              >Edit</router-link
            >
            <a
              class="button is-danger is-small"
              @click="deleteProduct(item.product_id)"
              >Delete</a
            >
          </td>
        </tr>
      </tbody>
    </table>
  </div>
</template>

<script>
// import axios
import axios from "axios";

export default {
  name: "ProductList",
  data() {
    return {
      items: [],
    };
  },

  created() {
    this.getProducts();
  },

  methods: {
    // Get All Products
    async getProducts() {
      try {
        const response = await axios.get("http://localhost:5000/products");
        this.items = response.data;
      } catch (err) {
        console.log(err);
      }
    },

    // Delete Product
    async deleteProduct(id) {
      try {
        await axios.delete(`http://localhost:5000/products/${id}`);
        this.getProducts();
      } catch (err) {
        console.log(err);
      }
    },
  },
};
</script>

<style>
</style>

Next, open the file "AddProduct.vue", then type the following code:

<template>
  <div>
    <div class="field">
      <label class="label">Product Name</label>
      <div class="control">
        <input
          class="input"
          type="text"
          placeholder="Product Name"
          v-model="productName"
        />
      </div>
    </div>

    <div class="field">
      <label class="label">Price</label>
      <div class="control">
        <input
          class="input"
          type="text"
          placeholder="Price"
          v-model="productPrice"
        />
      </div>
    </div>

    <div class="control">
      <button class="button is-success" @click="saveProduct">SAVE</button>
    </div>
  </div>
</template>

<script>
// import axios
import axios from "axios";

export default {
  name: "AddProduct",
  data() {
    return {
      productName: "",
      productPrice: "",
    };
  },
  methods: {
    // Create New product
    async saveProduct() {
      try {
        await axios.post("http://localhost:5000/products", {
          product_name: this.productName,
          product_price: this.productPrice,
        });
        this.productName = "";
        this.productPrice = "";
        this.$router.push("/");
      } catch (err) {
        console.log(err);
      }
    },
  },
};
</script>

<style>
</style>

After that, open the file "EditProduct.vue", then type the following code:

<template>
  <div>
    <div class="field">
      <label class="label">Product Name</label>
      <div class="control">
        <input
          class="input"
          type="text"
          placeholder="Product Name"
          v-model="productName"
        />
      </div>
    </div>

    <div class="field">
      <label class="label">Price</label>
      <div class="control">
        <input
          class="input"
          type="text"
          placeholder="Price"
          v-model="productPrice"
        />
      </div>
    </div>
    <div class="control">
      <button class="button is-success" @click="updateProduct">UPDATE</button>
    </div>
  </div>
</template>

<script>
// import axios
import axios from "axios";

export default {
  name: "EditProduct",
  data() {
    return {
      productName: "",
      productPrice: "",
    };
  },
  created: function () {
    this.getProductById();
  },
  methods: {
    // Get Product By Id
    async getProductById() {
      try {
        const response = await axios.get(
          `http://localhost:5000/products/${this.$route.params.id}`
        );
        this.productName = response.data.product_name;
        this.productPrice = response.data.product_price;
      } catch (err) {
        console.log(err);
      }
    },

    // Update product
    async updateProduct() {
      try {
        await axios.put(
          `http://localhost:5000/products/${this.$route.params.id}`,
          {
            product_name: this.productName,
            product_price: this.productPrice,
          }
        );
        this.productName = "";
        this.productPrice = "";
        this.$router.push("/");
      } catch (err) {
        console.log(err);
      }
    },
  },
};
</script>

<style>
</style>

 

2.4. Main.js

Open the file "main.js" in the "frontend/src" folder, then change it to be like this:

import Vue from 'vue'
import VueRouter from 'vue-router'

import App from './App.vue'
import Create from './components/AddProduct.vue'
import Edit from './components/EditProduct.vue'
import Index from './components/ProductList.vue'

Vue.use(VueRouter)

Vue.config.productionTip = false

const routes = [
  {
    name: 'Create',
    path: '/create',
    component: Create
  },
  {
    name: 'Edit',
    path: '/edit/:id',
    component: Edit
  },
  {
    name: 'Index',
    path: '/',
    component: Index
  },
];

const router = new VueRouter({ mode: 'history', routes: routes })

new Vue({
  // init router
  router,
  render: h => h(App),
}).$mount('#app')

 

2.5. App.vue

Open the file “App.js" in the "frontend/src" folder, then change it to be like this:

<template>
  <div id="app" class="container is-max-desktop">
    <router-view />
  </div>
</template>

<script>
export default {
  name: "App",
};
</script>

<style>
/* import style bulma */
@import "~bulma/css/bulma.css";
</style>

 

Part #3. Testing

3.1. READ

Back to browser and visit the following URL:

http://localhost:8080/

If it goes well, it will look like the following image:

product-list

3.2. CREATE

Click the "Add New" button, then the following form will appear:

add-product

Enter the Product Name and Price, then click the "SAVE" button.

If the insert is successful, it will appear as shown below:

product-added

3.3. UPDATE

To update data, click the "Edit" button, then a form will appear as follows:

edit-product

Change Product Name or Price, then click the "UPDATE" button.

If the update is successful, it will appear as shown below:

product-edited

3.4. DELETE 

To delete data click the "Delete" button.

If the delete is successful, the data will disappear from the list.

product-deleted

 

Conclusion:

The discussion this time is how to create a full stack web application with backend node.js express js and frontend using vue.js.

Thus, you have an idea of how to create a modern web application that separates the backend and frontend.

Not only that, you have also learned to create a Single Page Application (SPA) frontend using Vue CLI.

So what are you waiting for, Let's Coding!

Download Source Code

Comments (5)

Wendy, 17 January 2021 23:04 -

thank you for share . This is helpful

Alfredo Castellano, 02 April 2021 21:42 -

Hi mfirhy Excellent article, and you will have a guide or tutorial on how to upload these separate apps in this way backend - frontend. Thanks

Bojan Zrni?, 21 September 2021 04:08 -

Thank you, it was simple and useful.

Reza Pahlawan, 23 December 2021 23:27 -

Thank you this is really helpful and easy to understand!

Salah Abu Hmaid, 21 February 2022 16:52 -

Thank you, it is easy and useful.

Leave a Comment