End of Life for Twilio Programmable Video - Upgrade to VideoSDKLearn More

Building Real-Time Chat App with Socket.IO, Angular, and Node.js

Learn how to build a real-time chat app using Socket.IO, Angular, and Node.js. Follow this step-by-step guide to create seamless and interactive communication.

What is Angular and Socket.io?

Angular is a comprehensive framework for building client-side applications with HTML, CSS, and TypeScript. It offers a robust set of tools and features to develop highly interactive and efficient single-page applications (SPAs). Socket.io, on the other hand, is a JavaScript library that allows real-time, bidirectional communication between web clients and servers. It operates on top of WebSockets and provides fallback options for older browsers, ensuring compatibility and reliability. The combination of Angular's powerful frontend capabilities with Socket.io's real-time communication can create seamless and dynamic user experiences, making it ideal for applications that require instant updates, such as chat applications, live notifications, and collaborative tools.
This article aims to guide you through the process of integrating Socket.io with Angular, providing you with the necessary steps and best practices to build efficient real-time web applications.

Setting Up the Development Environment

Before diving into the integration, ensure you have Node.js and Angular CLI installed. Node.js is a JavaScript runtime that allows you to run JavaScript on the server side, while Angular CLI is a command-line interface for creating and managing Angular projects.

Step 1: Install Angular CLI

bash

1npm install -g @angular/cli

Step 2: Create a New Angular Project

bash

1ng new real-time-app
2cd real-time-app

Step 3: Set Up a Basic Node.js Server

Create a new directory for your server and initialize it with npm:

bash

1mkdir server
2cd server
3npm init -y
4npm install express socket.io

Create a basic server in server/index.js:

JavaScript

1const express = require('express');
2const http = require('http');
3const socketIo = require('socket.io');
4
5const app = express();
6const server = http.createServer(app);
7const io = socketIo(server);
8
9io.on('connection', (socket) => {
10  console.log('a user connected');
11  socket.on('disconnect', () => {
12    console.log('user disconnected');
13  });
14});
15
16server.listen(3000, () => {
17  console.log('listening on *:3000');
18});

Integrating Socket.io with Angular

To integrate Socket.io with Angular, you need to install the Socket.io client library in your Angular project and set up the connection between the Angular application and the Socket.io server.

Step 1: Install Socket.io Client Library

bash

1npm install socket.io-client

Step 2: Create a Socket Service in Angular

Generate a new service using Angular CLI:

bash

1ng generate service socket
In src/app/socket.service.ts, configure the Socket.io client:

Typescript

1import { Injectable } from '@angular/core';
2import { io } from 'socket.io-client';
3
4@Injectable({
5  providedIn: 'root',
6})
7export class SocketService {
8  private socket;
9
10  constructor() {
11    this.socket = io('http://localhost:3000');
12  }
13
14  public sendMessage(message: string) {
15    this.socket.emit('message', message);
16  }
17
18  public onMessage() {
19    return new Observable(observer => {
20      this.socket.on('message', (message) => {
21        observer.next(message);
22      });
23    });
24  }
25}

Creating an Angular Real-Time Video Chat Application

Let's build a simple real-time chat application to demonstrate the integration.

Step 1: Backend for Message Handling

In your server/index.js, add the following code to handle incoming messages:

JavaScript

1io.on('connection', (socket) => {
2  console.log('a user connected');
3  socket.on('message', (msg) => {
4    io.emit('message', msg);
5  });
6  socket.on('disconnect', () => {
7    console.log('user disconnected');
8  });
9});

Step 2: Frontend Chat Interface in Angular

Generate a new component for the chat interface:

bash

1ng generate component chat
In src/app/chat/chat.component.ts, implement the chat functionality:

TypeScript

1import { Component, OnInit } from '@angular/core';
2import { SocketService } from '../socket.service';
3
4@Component({
5  selector: 'app-chat',
6  templateUrl: './chat.component.html',
7  styleUrls: ['./chat.component.css']
8})
9export class ChatComponent implements OnInit {
10  message: string;
11  messages: string[] = [];
12
13  constructor(private socketService: SocketService) {}
14
15  ngOnInit(): void {
16    this.socketService.onMessage().subscribe((message: string) => {
17      this.messages.push(message);
18    });
19  }
20
21  sendMessage(): void {
22    this.socketService.sendMessage(this.message);
23    this.message = '';
24  }
25}
In src/app/chat/chat.component.html, create the chat UI:

HTML

1<div>
2  <div *ngFor="let msg of messages">{{ msg }}</div>
3  <input [(ngModel)]="message" placeholder="Type your message here"/>
4  <button (click)="sendMessage()">Send</button>
5</div>

Get Free 10,000 Minutes Every Months

No credit card required to start.

Advanced Features and Best Practices

Authentication and Authorization

To secure your Socket.io connections, you can implement authentication and authorization. Emit a token from the client and validate it on the server before establishing the connection.

Server-Side Code

JavaScript

1io.use((socket, next) => {
2  const token = socket.handshake.auth.token;
3  if (isValidToken(token)) {
4    next();
5  } else {
6    next(new Error('Unauthorized'));
7  }
8});

Client-Side Code

TypeScript

1this.socket = io('http://localhost:3000', {
2  auth: {
3    token: 'your-auth-token',
4  },
5});

Performance Optimization

Ensure efficient memory usage and handling of large data by implementing data compression and limiting the number of concurrent connections.

Error Handling and Reconnection Strategies

Handle connection errors and implement automatic reconnection strategies to maintain a seamless user experience:

TypeScript

1this.socket.on('connect_error', (err) => {
2  console.log(`connect_error due to ${err.message}`);
3});
4this.socket.io.on('reconnect_attempt', () => {
5  this.socket.io.opts.query = {
6    token: 'your-new-auth-token',
7  };
8});

Code Snippets

Below are practical examples of key steps in integrating Socket.io with Angular:

Connecting to the Socket.io Server

TypeScript

1this.socket = io('http://localhost:3000');

Emitting and Listening for Events

TypeScript

1this.socket.emit('message', 'Hello World');
2this.socket.on('message', (msg) => {
3  console.log(msg);
4});

Conclusion

Integrating Socket.io with Angular can transform your web applications by adding real-time capabilities, making them more interactive and responsive. This guide covered the essentials from setting up the development environment to building a real-time chat application, ensuring you have a solid foundation to explore further enhancements.

Want to level-up your learning? Subscribe now

Subscribe to our newsletter for more tech based insights

FAQ