Dockerize a Node.js app connected to MongoDb

Dockerize a Node.

js app connected to MongoDbVladislav GuleaevBlockedUnblockFollowFollowingJun 28Hello dear coder, welcome to my tech articles series dedicated to Node.

js and Docker.

Hope you enjoy!Please find first part of series: 1.

“Dockerize a Node.

js app with VS Code”https://unsplash.

com/photos/PBctAzztru0Problem:You already know how to use Docker together with Node from previous article in this series.

I know that we all love MERN/MEAN stacks.

Our next step is to understand how Node and Mongo connects to each other running inside containers.

Lets’ go!1.

Install MongoDb locallyTime to get into some document db stuff.

First of all download MongoDb server from here.

If you haven’t change anything during install, it should also install a thing called MongoDb Compass Community.

This is a great tool to inspect, change, add or remove data in collections in MongoDb.

You can connect to the local instance by using default address and port like on this image below or connect to any other server.

To connect locally just press connect.

Inside you can see some default collections and you can play around.

We will need MongoDb Compass a bit later.

2.

Connect to MongoDb through Express appIn this tutorial I will be using my favorite editor Visual Studio Code.

You will also need Nodejs and Docker installed.

In my case I’m using Windows, so I got Docker for Windows from here.

Now run following command:mkdir test-mongo-app && cd test-mongo-app && npm init -y && code .

Time to install dependencies.

We will need express and mongoose packages.

npm i express mongooseCreate file called server.

js inside root folder.

Also don’t forget to change your package.

jsonto run server.

js file at start.

{ "name": "test-mongo-app", "version": "1.

0.

0", "description": "", "main": "server.

js", "scripts": { "start": "node server.

js" }, "keywords": [], "author": "", "license": "ISC", "dependencies": { "express": "4.

17.

1", "mongoose": "5.

6.

1" }}Good.

Let’s create a basic express app with two routes.

One for reading Users from the database and second is for adding dummy user data to it.

First of all check if everything works with just express server.

// server.

jsconst express = require("express");const app = express();const PORT = 8080;app.

get("/", (req, res) => { res.

send("Hello from Node.

js app!.");});app.

listen(PORT, function() { console.

log(`Listening on ${PORT}`);});You can run npm start to test it.

If you see the message ”Listening on 8080” everything is ok.

Also open http://localhost:8080 and check if you can see the hello message.

There is a nice thing called nodemon.

It auto rebuilds our project when any changes happened in source code.

Let’s use it!.????npm install — save-dev nodemonAdd a new command in package.

json.

So we use it for development.

"scripts": { "start": "node server.

js", "dev": "nodemon server.

js" },Now use run `npm run dev` while development instead of `npm start`.

npm run devYou will notice difference in the console, because now nodemon is watching for any changes in your project and if needs, rebuild it.

Change something in server.

js and you will notice ????Now create folder src in root of the project.

Here we will add all the rest files.

Let’s create a User model for mongoose.

Create file names User.

model.

js// User.

model.

jsconst mongoose = require("mongoose");const userSchema = new mongoose.

Schema({ username: { type: String }});const User = mongoose.

model("User", userSchema);module.

exports = User;Good! Here we defined a model for our document db.

User model has only one field username which is a string.

Enough for now :)Let’s add a file called connection.

js for connection to the database.

// connection.

jsconst mongoose = require("mongoose");const User = require(".

/User.

model");const connection = "mongodb://localhost:27017/mongo-test";const connectDb = () => { return mongoose.

connect(connection);};module.

exports = connectDb;Please notice that mongo-test will be the name of our database (cluster)!Now modify a bit server.

js and start the app.

You should see message in the console that MongoDb is connected.

// server.

jsconst express = require("express");const app = express();const connectDb = require(".

/src/connection");const PORT = 8080;app.

get("/users", (req, res) => { res.

send(“Get users?.”);});app.

get("/user-create", (req, res) => { res.

send(“User created!.”);});app.

listen(PORT, function() { console.

log(`Listening on ${PORT}`);connectDb().

then(() => { console.

log("MongoDb connected"); });});Yeah?.????.We connected Express app with local MongoDb instance!3.

Implement read and write to MongoDbWe should implement two routes for reading and adding new users.

Open `server.

js` file and first of all import our model on the top:// server.

jsconst User = require(".

/src/User.

model");// …Then implement both routes below like this:// server.

jsapp.

get("/users", async (req, res) => { const users = await User.

find(); res.

json(users);});app.

get("/user-create", async (req, res) => { const user = new User({ username: "userTest" }); await user.

save().

then(() => console.

log(“User created”)); res.

send("User created!.");});// …Be attentive here we are using async/await pattern.

If you are curious about this find it here.

Basically we implemented two routes `/users` and `/user-create`.

✋ Yeah, yeah, I know that create should be done through the POST http verb but just to make testing easier and escape configuring seed method for db.

Now it’s time to test.???.Open in browser this link http://localhost:8080/user-create to create a dummy user record in db.

Open this link http://localhost:8080/users to get all users as JSON in browser.

After doing that you can go back to MongoDb Compass and check users collection here.

You should see this4.

Dockerize Node and MongoDbAdd Docker file to the root folder.

touch DockerfilePaste following inside it:FROM node:8# Create app directoryWORKDIR /usr/src/app# Install app dependenciesCOPY package*.

json .

/RUN npm install# Copy app source codeCOPY .

.

#Expose port and start applicationEXPOSE 8080CMD [ "npm", "start" ]We can simply build our express app with this commanddocker build -t mongo-app .

But.

this will only run our express app, but not together with MongoDb.

That’s why we need a `docker-compose` file.

????Now create another file called docker-compose.

yml and paste this:version: "2"services: web: build: .

ports: — "8080:8080" depends_on: — mongo mongo: image: mongo ports: — "27017:27017"We defined 2 services in this file.

One is our node app running on port 8080 and the other is mongodb instance.

⚠️ Before you run next command, please make sure that you changed connection string to mongo db in connection.

js file.

const connection = "mongodb://mongo:27017/mongo-test";We replaced localhost with mongo which is very important.

Because we should tell the app that we want to access MongoDb from docker internal virtual network and not the local one.

Now run the magic command ????docker-compose upOpen a browser on http://localhost:8080/users and http://localhost:8080/user-create to see our app running in Docker.

*(In case anything doesn’t work, try to stop/remove image and containers, rebuild it by ruining docker compose-up again and if mongo image is not pulled from hub try to re-login in into docker hub or restart docker for Windows)*See the source code here.

Enjoy!???.If you read something interesting from that article, please like and follow me for more posts.

Thank you dear coder.????.

. More details

Leave a Reply