Building a Real-Time Chat Application with NestJS, TypeORM, and PostgreSQL

Real-time chat app using NestJS, TypeORM, and PostgreSQL. Instant messaging platform with WebSocket for live updates. Combines backend technologies for efficient, scalable communication solution.

Building a Real-Time Chat Application with NestJS, TypeORM, and PostgreSQL

Building a real-time chat app is like creating a digital hangout spot where people can chat instantly. It’s a fun project that’ll teach you a lot about web development. Let’s dive into how we can make one using NestJS, TypeORM, and PostgreSQL.

First things first, why these technologies? NestJS is a super cool framework for building efficient and scalable server-side apps. It’s built with TypeScript, which means you get all the goodness of strong typing. TypeORM is our bridge to the database world, making it easy to work with databases in TypeScript. And PostgreSQL? Well, it’s a powerful, open-source database that’s perfect for handling the data in our chat app.

Now, let’s get our hands dirty. We’ll start by setting up our NestJS project. Open up your terminal and type:

npm i -g @nestjs/cli
nest new real-time-chat
cd real-time-chat

This creates a new NestJS project and moves us into the project directory. Next, we need to install some dependencies:

npm install @nestjs/websockets @nestjs/platform-socket.io
npm install typeorm pg @nestjs/typeorm

These packages will help us work with WebSockets (for real-time communication) and set up our database connection.

Now, let’s set up our database connection. Create a new file called ormconfig.json in your project root:

{
  "type": "postgres",
  "host": "localhost",
  "port": 5432,
  "username": "your_username",
  "password": "your_password",
  "database": "chat_db",
  "entities": ["dist/**/*.entity{.ts,.js}"],
  "synchronize": true
}

Remember to replace “your_username” and “your_password” with your actual PostgreSQL credentials. The “synchronize” option is set to true for development, but you should disable it in production to avoid accidental data loss.

Next, let’s create our Message entity. This will represent a chat message in our database. Create a new file src/messages/message.entity.ts:

import { Entity, Column, PrimaryGeneratedColumn, CreateDateColumn } from 'typeorm';

@Entity()
export class Message {
  @PrimaryGeneratedColumn()
  id: number;

  @Column()
  content: string;

  @Column()
  sender: string;

  @CreateDateColumn()
  createdAt: Date;
}

Now, let’s create a Messages module. Run:

nest g module messages
nest g service messages
nest g controller messages

This creates a module, service, and controller for our messages. Let’s implement the service first. Open src/messages/messages.service.ts:

import { Injectable } from '@nestjs/common';
import { InjectRepository } from '@nestjs/typeorm';
import { Repository } from 'typeorm';
import { Message } from './message.entity';

@Injectable()
export class MessagesService {
  constructor(
    @InjectRepository(Message)
    private messagesRepository: Repository<Message>,
  ) {}

  async create(content: string, sender: string): Promise<Message> {
    const message = new Message();
    message.content = content;
    message.sender = sender;
    return this.messagesRepository.save(message);
  }

  async findAll(): Promise<Message[]> {
    return this.messagesRepository.find();
  }
}

This service allows us to create new messages and retrieve all messages. Now, let’s implement the controller in src/messages/messages.controller.ts:

import { Controller, Get, Post, Body } from '@nestjs/common';
import { MessagesService } from './messages.service';
import { Message } from './message.entity';

@Controller('messages')
export class MessagesController {
  constructor(private messagesService: MessagesService) {}

  @Post()
  create(@Body() messageData: { content: string; sender: string }): Promise<Message> {
    return this.messagesService.create(messageData.content, messageData.sender);
  }

  @Get()
  findAll(): Promise<Message[]> {
    return this.messagesService.findAll();
  }
}

This controller sets up endpoints for creating and retrieving messages. But we’re building a real-time chat app, right? So let’s add WebSocket functionality. Create a new file src/messages/messages.gateway.ts:

import { WebSocketGateway, SubscribeMessage, MessageBody, WebSocketServer } from '@nestjs/websockets';
import { Server } from 'socket.io';
import { MessagesService } from './messages.service';

@WebSocketGateway()
export class MessagesGateway {
  @WebSocketServer()
  server: Server;

  constructor(private messagesService: MessagesService) {}

  @SubscribeMessage('sendMessage')
  async handleMessage(@MessageBody() data: { content: string; sender: string }) {
    const message = await this.messagesService.create(data.content, data.sender);
    this.server.emit('newMessage', message);
    return message;
  }
}

This gateway listens for ‘sendMessage’ events, creates a new message, and broadcasts it to all connected clients. Don’t forget to add this gateway to your MessagesModule!

Now, let’s update our app.module.ts to tie everything together:

import { Module } from '@nestjs/common';
import { TypeOrmModule } from '@nestjs/typeorm';
import { MessagesModule } from './messages/messages.module';

@Module({
  imports: [
    TypeOrmModule.forRoot(),
    MessagesModule,
  ],
})
export class AppModule {}

And there you have it! A basic real-time chat application backend using NestJS, TypeORM, and PostgreSQL. Of course, there’s more we could add - user authentication, private messaging, chat rooms, etc. But this gives you a solid foundation to build upon.

Remember, building a chat app is more than just coding. It’s about creating a space where people can connect. As you develop your app, think about the user experience. How can you make it more intuitive? More engaging? Maybe add emojis or the ability to share images?

I once built a chat app for a small community of book lovers. It was amazing to see how a simple app could bring people together, sparking discussions and friendships. That’s the power of what you’re building - never underestimate it!

As you continue to develop your chat app, you’ll face challenges. Maybe your WebSocket connections drop unexpectedly, or your database queries become slow as your user base grows. Don’t get discouraged! These are opportunities to learn and improve your skills.

One last tip: always keep security in mind. Sanitize user inputs, use HTTPS, and implement proper authentication. You’re handling people’s conversations, after all. They’re trusting you with their words.

Building a real-time chat app is an exciting journey. It’s a chance to combine various technologies and create something that people will actually use to communicate. So go ahead, start coding, and who knows? Your chat app might be the next big thing in online communication!