Web Analytics
  • Culture
      Back
      Agile Mindset

      Agile is not a principal or a method, but it’s an integral part of being Agile that is guided by principles, defined by values and manifested through various practices.

      Bacancy Values

      You add value to your customer when you deliver a product or service that has been designed specifically to solve their problem.

      Bacancy Culture

      Core Team will work as Scrum Team where Team will have quarterly goal to make sure that we run financial, administrative and project management prospective.

  • What we do
      Back
      Product Engineering

      Seize the opportunity to make your product stand out. We enable our clients

      AI & ML

      We automate businesses and optimize processes by deploying smart AI and...

      Blockchain

      Get a full spectrum of blockchain development services from us to bring scalability...

      IOT

      Improve Business Productivity and Efficiency using our high-end IOT professional services...

      Digital Transformation

      We truly become a part of your business by helping you think through the...

  • Who we work with
      Back
      Real Estate

      We can help you uncover the hidden revenue opportunities to showcase your...

      Finance & Insurance

      In the emerging technological environment, we are offering reliable banking and financial...

      Oil & Gas

      Reshape your energy landscape and gain better control by harnessing the best...

      Healthcare

      Utilizing advanced technologies to provide best software, web & mobile development services...

      Travel & Transport

      Manage your logistics and transportation business at the ease of your fingertips...

      Startups

      We can help you to build your MVP with advanced technologies....

  • About Us
      Back
      About

      Agile, A Process Delivering Values & Successful Products

      Blog

      Abstract Technology News Driven by Sources

      Career

      If you are passionate about your career, have creative flair and good craft skills, we want you!

  • Technology
      Back

      Front-End

      AngularJS ReactJS Vue.JS JavaScript Backbone.JS Ember.JS MEAN MERN

      Back-End

      Ruby on Rails Node.JS Golang Laravel PHP Python .NET Yii

      Mobile

      Android iOS React Native Flutter Ionic Kotlin

      CMS & CRM

      Spree Magento Wordpress Drupal Umbraco Woocommerce Salesforce Microsoft Dynamics 365<
      Explore All
  • Talk to Us
Talk to Us
Close
    MENU
  • Culture
    • Agile Mindset
    • Bacancy Values
    • Bacancy Culture
  • What we do
    • Product Engineering
    • AI & ML
    • Blockchain
    • IOT
    • Digital Transformation
  • Who we work with
    • Real Estate
    • Finance & Insurance
    • Oil & Gas
    • Healthcare
    • Travel & Transport
    • Startups
  • About Us
    • About
    • Blog
    • Career
  • Technology
      Front-End
    • AngularJS
    • ReactJS
    • Vue.JS
    • JavaScript
    • Backbone.JS
    • Ember.JS
    • MEAN
    • MERN
    • Back-End
    • Ruby on Rails
    • Node.JS
    • Golang
    • Laravel
    • PHP
    • Python
    • .NET
    • Yii
    • Mobile
    • Android
    • iOS
    • React Native
    • Flutter
    • Ionic
    • Kotlin
    • CMS & CRM
    • Spree
    • Magento
    • Wordpress
    • Drupal
    • Umbraco
    • Woocommerce
    • Salesforce
    • Microsoft Dynamics 365
    • Explore All
  • Contact Us
  • CLOSE
Chat App with Express, ReactJS, and Socket.IO

How to Build Real-time Chat App with Express, ReactJS, and Socket.IO?

Archita Nayak
Archita Nayak Technical Writer
January 25, 2021 8 min read

Last Updated on March 3, 2021

I have always been very interested in learning how the live user interactions in real-time chat applications work? Such web applications always excite me to find the answer of how to build real-time chat app. To quench my thirst for knowledge, I started reading blogs and watching tutorials. After getting my hands on building a real-time chat app with Express, ReactJS, and Socket.IO, I decided to write a blog on it, as it was once said by Margaret Fuller, “If you have the knowledge, let others lit their candles in it.”

Table of Index

1. Overview

2. What is Socket.IO? And how does it work?

3. How to build the chat app with Express, ReactJS, and Socket.IO?

4. Conclusion

Overview

It might seem quite challenging when you read the topic – How to build a Chat App with Express, React, and Socket.io? This blog will surely take care of that challenge, and I’ll try my best to make it as simple as possible. So, let’s take the challenge and move ahead with a positive quote I read somewhere –

“We don’t grow when things are easy. We grow when we face challenges.”

Before starting the coding part, I would like to give some preliminary information about What is Socket.IO? You can skip this part and head towards the coding section if you’re familiar with Socket.IO already.

What is Socket.IO? And How Does it Work?

Socket.IO was developed for real time applications that can communicate and develop live user-interaction. As the documentation of Socket.IO states –

Socket.IO is a library that enables real-time, bidirectional, and event-based communication between the browser and the server.

With the help of Engine.IO, Socket.IO establishes the connection and permits bidirectional communication between client and server. The bidirectional communication takes place only when the client and server both have Socket.IO integrated. It transfers data in various forms, but the most likely in JSON format.

Socket.IO transfers data from the client of the particular server to the server, and then that server transmits it to other clients. This is how the transfer of information takes place.

I hope you now have a better understanding of Socket.IO. You can visit its documentation to start your Socket.IO tutorial. Finally, it’s time to build your own real time chat app.

Full-stack development services

How to Build a Real-time Chat App with Express, ReactJS, and Socket.IO?

I assume that you have Node.js V10 or higher version installed on your system. If not, then click here to install.

Starting with the basics

I’m creating here the main folder and then initiating it using NPM-

mkdir chat-app
cd chat-app

npm init

Setting up Express Server and Socket.IO

Once you click enter for all the options, install the Express library and Socket.IO for handling socket connections.

npm install --save express socket.io

After installing the Express and Socket.IO library, we will create a file to implement our new application’s logic.

touch server.js

Now we will write the express server code in the server.js file. Open your real-time chat-app and start editing it.

//server.js
let express = require('express')
let http = require('http')
let socket_IO = require('socket.io') 

const PORT = 8001 
let app = express() 
let server = http.Server(app) 
let io = socketIO(server) 

io.on('connection', (socket) => {
  console.log('User is connected sucessfully')
  
  socket.on('disconnect', () => {
    console.log('Sorry! User is unfortunately disconnected')
  })
})

server.listen(PORT, () => {
   console.log(`Running on port ${port}.`);
});

Now, by running the below-mentioned command, ensure the code is working as expected.

node server.js

Your console should display – Running on port 8001.

Close the server using ctrl+c

On hitting the URL – http:// localhost: 8001, you won’t see anything as we still need to work on our front-end. So far, we are a bit done with the socket listener in our sever.js file.

Now let’s move on to my favorite part of building the real time chat application, i.e., front-end.

Front-end part: React Component

We will be using create-react-app for it, some also prefer to configure Webpack, but that’s up to you. If you don’t have create-react-app installed on your system, use the below command-

npm i create-react-app

Now let’s create our React application –

create-react-app chat-app-client
cd chat-app-client

You can remove unwanted files like – favicon.ico and logo.svg from your file structure.

Now, as we know, Socket.IO uses Engines.IO, due to which we need to install Socket.IO at both client and server sides. So, it’s time to install socket.io-client

npm i socket.io-client

Client-Server Connection

This section will see how to connect the client with the server and enable communication in real time chat application using Socket.IO.

import React from 'react';
import socketClient from 'socket.io-client';
const SERVER = "http:// 127.0.0.1:8001";
function ChatApp() {
 let socket_io = socketClient(SERVER);
   return (
      < div >
        < p >Just checking if this is working!< /p >
      < /div >
    );
}
export default ChatApp;

Make these necessary changes in your server.js file so that the client listens to all the emitted events from the backend.

//server.js

let express = require('express')
let http = require('http')
let socketIO = require('socket.io') 

const PORT = 8001 
let app = express() 
let server = http.Server(app) 
let io = socketIO(server) 

const STATIC = [‘global_notif, global_chats’];

io.on(“connection”, (socket_io) => {
  console.log('User is connected successfully');
  socket_io.emit(“connection”, null);
  
  socket_io.on(“disconnect”, () => {
    console.log('Sorry! User is unfortunately disconnected');
  })
})

server.listen(PORT, () => {
   console.log(`Running on port ${port}.`);
});

Due to the function socket_io_emit, events can be emitted to the front end from the socket connection. Keep in mind that this transmission of data will be possible only with recently connected clients.

Now, the web socket connection is developed, so let’s proceed to build Chat.

How to Build Chat application?

We will have a folder named Chat, which will consist of our Channel’s components and the main Component of Chat. I won’t be adding CSS files for designing; instead, I’ll focus on the logic and components.

//Main_Chat.js

import React, { Component } from 'react';
import { Channels } from './Channels';

export class Main_Chat extends Component {
state = {
    all_channels: [
        { id: 10, name: 'John', members: 20}
      ]
    }
  render() {
     return (
        < div >
‍           < Channels all_channels={this.state.all_channels} / >
‍        < /div >
       );
    }
‍}

// Channels.js

import React, { Component } from 'react';

export class Channels extends Component {
   render() {
     let channel_list = `Sorry, No channels available`;
       if (this.props.all_channels) {
          list = this.props.all_channels.map(c =>  
          < p > {c.name} < /p >
       }
       return (
          < div >
             {channel_list}
‍          < /div >
        );
    }
‍}

So, we have two files here- Main_Chat.js and Channels.js. Main_Chat.js includes the Channels.js, which will display data related to the channel list using the prop all_channels. We are done with the Chat folder now, moving ahead to create a message folder for Message Panel. We will build two files in that folder, namely Main_Message.js and Messages.js.

//Main_Message.js

import React, { Component } from 'react';

export class Main_Message extends Component {
   render() {
      return (
          < div >
              < p >{this.props.senderName}< /p >
              < span >{this.props.text}< /span >
           < /div >
        )
    }
‍}

//Messages.js

import React, { Component } from 'react';
import { Main_Message } from './Main_Message';

export class Messages extends Component {
    render() {

        let msg_list = 
No messages!
; if (this.props.channel.messages) { const { msgs } = this.props list = msgs.channel.messages.map(msg => ) /> } return ( < > < p >{msg_list}< /p > ‍ < > < input type="text" > < button >Send< /button > ‍ < /> < /> ); } }

So far, we had set up the real time chat app with Express, ReactJS, and Socket.IO; now, without further ado, let’s move on to develop logic.

Logical part: Sending and Receiving Messages

We are done with the simple interface, and I hope you’ve managed your designing too. Moving on to focus on the logic part of our real time chat application, i.e., how to send and receive the messages?

How to fetch the channels?

Add the following code into your server.js file for retrieving the current channel’s data –

// server.js

app.get('/getAllChannels', (request, response) => {
   request.json({
       all_channels: STATIC
   })
‍});

This was for the backend side, write the following for frontend –

// Main_Chat.js

componentDidMount() {
   this.loadAllChannels();
‍}
loadAllChannels = async () => {         fetch('http:// localhost:8001/getAllChannels').then(async response => {
       let all_data = await response.json();
           this.setState({ all_channels: all_data.channels });
   })
‍}

Now, there’s a need for some events to be emitted and listeners in real time chat app. Whenever a channel is being selected, it should call an event that will eventually be handled in the backend. Also, the front-end has to look after the event. The front-end should have the same events emitted by the back-end to capture it and vice-versa.

// Main_Chat.js

handleSelect = (channel_id) => {
       this.socketIO.emit('channel-join', channel_id)
   }   
   render() {
    const { all_channels } = this.state;


return (
          < Channels all_channels={all_channels}   onChannelSelect={this.handleSelect} / >
       );
‍}

// server.js

io.on('connection', (socket_IO) => { 
    console.log('User is connected successfully!');
    socket_IO.emit('connection', null);
    socket_IO.on('channel_join', channel_id => {
        console.log('channel join', channel_id);
        STATIC.forEach(i => {
            if (i.id === channel_id) {
                if (i.sockets.indexOf(socket_IO.id) == (-1)) {
                    i.sockets.push(socket_IO.id);
                    i.members++;
                    io.emit('channel', c);
                }
            } else {
               let channel_index =              i.sockets.indexOf(socket_IO.id);
                if (channel_index != (-1)) {
                    i.sockets.splice(channel_index, 1);
                    i.members--;
                    io.emit('channel', c);
                }
            }
        });
 
        return channel_id;
    })
});

How to send messages?

Heading towards our last section of the blog – How to Build a Real-time Chat App with Express, ReactJS, and Socket.IO? After establishing a stable WebSocket connection, it’s time to learn how to send messages over it. This section will store the message typed in the textbox and then send that message by clicking Send. Open your Main_Chat.js file and make the necessary changes.

setUpSocketIO = () => {

 let socketIO = socketClient(SERVER);
 socketIO.on('connection', () => {
const { channels } = this.state;
   if (channels) {
     this.handleSelect(channels.id);
   }
 });

 socketIO.on('channel', channel => {
  
   let all_channels = this.state.all_channels;
    all_channels.forEach(i => {
       if (i.id === channel.id) {
         i.members = i.members;
       }
 });

 this.setState({ all_channels });});

socketIO.on('message', msg => {
 let all_channels = this.state.all_channels
   all_channels.forEach(i => {
     if (i.id === msg.channel_id) {
       if (!i.messages) {
         i.messages = [msg];
       } else {
         i.messages.push(msg);
       }
     }
   });
   this.setState({ all_channels });
 });

 this.socketIO = socketIO;
}
onSendingMessage = (id, msg) => {
 this.socketIO.emit('send-message', 
    { channel_id: id, 
     text: msg, 
     name: this.socketIO.id, 
     id: Date.now() 
    });
 }

render() {
const { all_channels } = this.state;
 return (
   < >
     < Channels all_channels={all_channels}      onChannelSelect={this.handleSelect} 
      / >    
     < Messages onSendMessage={this.onSendingMessage} channel={all_channel} / > 
   < />  
 );
‍}

So, this was for the front-end part. Implementation at the back-end is quite simpler than this; we just have to broadcast the messages.

socketIO.on('send-message', msg => {
   io.emit('message', msg);
‍})

This was all about how to build your own real time chat app with Express, ReactJS, and Socket.IO. I hope the purpose of landing on this blog has been satisfied. With the combination of ReactJs and Socket.IO, you can build brilliant real time chat applications.

Conclusion

Here at Bacancy Technology, we provide you the best guidance for various technologies, including ReactJs and NodeJs. You can find the best coding practices being followed by TDD and BDD here. If you are looking to hire full stack developer who can help you build a real-time chat app with Express, ReactJS, and Socket.IO, then you have landed on the right blog post. Get in touch with us to fulfill your custom business requirements.

Archita Nayak
Archita Nayak View all post
Writer. Developer. Dreamer. Believer. Achiever. My curiosity leads me to learn various technologies, and my love for writing helps me to impart my knowledge for the same. When I am not exploring technologies, I am mostly reading and writing poetry and fictional stories.

Expand Your Digital Horizons With Us.

Start a new project or take an existing one to the next level. Get in touch to start small, scale-up, and go Agile.


Or
E-mail us : [email protected]

Your Success Is Guaranteed !



0 Comments on "How to Build Real-time Chat App with Express, ReactJS, and Socket.IO?"

Leave a Reply Cancel

Related articles
Full stack VS specialized
Full Stack
Full Stack Developer Vs Specialized Developer : How to Make Practical Choice According to Business Need?
January 27, 2021 by: Paridhi Wadhwani
Real estate web platform
Full Stack
Build Real Estate Web Platform With The Help of Full Stack Developers- A Case Study
December 9, 2020 by: Riken Solanki
full stack trend
Full Stack
Top 7 Major Trends in Full Stack Development to Follow
August 14, 2020 by: Paridhi Wadhwani

Top 1% IT Talent

Bacancy Technology is an exclusive hub of top dedicated software developers, UI/UX designers, QA experts, and product managers with an incredibly rare and hidden talents you will ever come across. We let you access the top 1% IT talent from independent software developers to the fully managed teams.

Time Zone Aligned

Timezone is never a constraint when you are working with Bacancy Technology. We follow one very simple principle – our developers and your time zone. Hire dedicated software developers from us and make collaboration in a faraway to work according to your time zone, deadline, and milestone.

Experienced Team

Whether you are looking for skilled developers in emerging technologies or looking for an extended arms to augment your existing team, we can lend a helping hand in both situations. We are a full-stack software development company with 300+ skilled and experienced software developers whom you can hire at your convenience to address the ongoing business challenges

Let us help you build a modern digital business to overcome traditional culture and succeed in the age of digital transformation.

  • USA
  • Canada
  • Australia
  • India
  • UAE
  • Sweden

USA

Bacancy Technology LLC

Florida

4995 NW 72nd Ave, Suite 307 Miami, FL 33166

Phone

+1 347 441 4161

Email

[email protected]

We guarantee 100% security of your information. We will not share the details you provide above with anyone. Your email won't be used for spamming.

Canada

Bacancy Technology Inc

Toronto

71 Dawes Road, Brampton, On L6X 5N9, Toronto

Phone

+1 416 907 6738

Email

[email protected]

We guarantee 100% security of your information. We will not share the details you provide above with anyone. Your email won't be used for spamming.

Australia

Bacancy Technology

South Australia

351A Hampstead Rd, Northfield SA 5085

Phone

(02) 8005 8222

Email

[email protected]

We guarantee 100% security of your information. We will not share the details you provide above with anyone. Your email won't be used for spamming.

India

Bacancy Technology Pvt Ltd

Ahmedabad

1207-1210, Time Square, Thaltej-Shilaj Road, Ahmedabad

Pune

2nd Floor, Marisoft-1, Marigold IT Park, Pune

Phone

079- 40037674

Email

[email protected]

We guarantee 100% security of your information. We will not share the details you provide above with anyone. Your email won't be used for spamming.

UAE

Bacancy Technology

Dubai

1608 Clover Bay, Business Bay, Dubai, UAE. PO Box 62049

Phone

+1 347 441 4161

Email

[email protected]

We guarantee 100% security of your information. We will not share the details you provide above with anyone. Your email won't be used for spamming.

Sweden

Bacancy Technology

Hagersten

Junkergatan 4, 126 53 Hagersten

Phone

+1 347 441 4161

Email

[email protected]

We guarantee 100% security of your information. We will not share the details you provide above with anyone. Your email won't be used for spamming.

How Can We Help?

  • Employee
  • Brochure
  • Quality Assurance
  • Resources
  • Privacy Policy
  • Sitemap
  • Solution
  • Contact Us
DMCA.com Protection Status
Request A Free Consultation