Building a Real-Time Chat Application with SignalR in .NET 8

Building a Real-Time Chat Application with SignalR in .NET 8

In this blog post, we will walk through the steps of building a real-time chat application using SignalR in .NET 8. We'll explore setting up the application, creating SignalR hubs, integrating front-end components, and handling real-time communication efficiently.

Building a Real-Time Chat Application with SignalR in .NET 8

Introduction

Real-time communication is a key feature of modern web applications. Whether it's for instant messaging, notifications, or live updates, providing a seamless and efficient real-time experience can significantly enhance user engagement. SignalR, a powerful real-time communication library for ASP.NET Core, is a great tool for building such applications.

SignalR enables bi-directional communication between server and client, which makes it perfect for chat applications. In this tutorial, we will use SignalR with .NET 8 to build a simple but scalable real-time chat application. You’ll learn how to:

  • Set up a SignalR hub for real-time communication
  • Build a chat interface in an ASP.NET Core Web Application
  • Implement user connections and group messaging
  • Handle broadcasting messages in real time
  • Scale the chat application for high traffic

Prerequisites

Before we begin, ensure you have the following installed and set up:

  • Visual Studio 2022 or later (or any preferred IDE for .NET development)
  • Basic understanding of C# and ASP.NET Core
  • Basic understanding of WebSocket protocols and real-time communication
  • Docker (optional for containerization and scalability)

If you are not familiar with SignalR, this tutorial will provide you with all the essential knowledge you need to get started.

Setting Up the Project

We will begin by creating a new ASP.NET Core Web Application and adding the SignalR package. Let’s follow the steps to set up the basic project structure:

Step 1: Create a New ASP.NET Core Project

Open Visual Studio and create a new ASP.NET Core Web Application. Select "ASP.NET Core Web App (Model-View-Controller)" and click Create. This will set up a basic MVC web app to get started with.

Step 2: Install SignalR NuGet Package

Next, you need to install the SignalR NuGet package. You can do this by opening the NuGet Package Manager Console and running the following command:

Install-Package Microsoft.AspNetCore.SignalR

This package allows you to set up real-time communication features in your app.

Implementing the SignalR Hub

The core of a SignalR-based chat application is the SignalR hub. A SignalR hub is a central point for managing all client connections and broadcasting messages. In this section, we’ll create a hub that clients can connect to for sending and receiving messages.

Step 1: Create the Chat Hub

In your project, create a new class named ChatHub.cs. This class will represent the SignalR hub and will contain methods for clients to call to send and receive messages:

using Microsoft.AspNetCore.SignalR;

namespace RealTimeChatApp.Hubs
{
    public class ChatHub : Hub
    {
        public async Task SendMessage(string user, string message)
        {
            // Broadcast message to all connected clients
            await Clients.All.SendAsync("ReceiveMessage", user, message);
        }
    }
}
            

The SendMessage method will be called by the client to send a message to all connected clients. The ReceiveMessage method will be called on the client side to receive the broadcasted message.

Step 2: Register the Hub in Startup

Next, we need to configure SignalR in the application. Open the Startup.cs file and add the following code inside the ConfigureServices method:

services.AddSignalR();
            

Now, configure SignalR in the Configure method by adding the following route mapping for the hub:

app.UseEndpoints(endpoints =>
{
    endpoints.MapControllerRoute(
        name: "default",
        pattern: "{controller=Home}/{action=Index}/{id?}");
    endpoints.MapHub<ChatHub>("/chathub");
});
            

This will set up the hub to be available at the /chathub endpoint for clients to connect.

Creating the Front-End

Next, we’ll create the front-end of the chat application. This will involve creating a simple chat interface where users can enter their name and messages and see messages from others in real time.

Step 1: Add SignalR Client Script

To communicate with the SignalR hub from the client side, you’ll need to include the SignalR client library. Add the following script tag to your _Layout.cshtml file or directly to your HTML page:

<script src="https://cdn.jsdelivr.net/npm/@microsoft/signalr@3.1.5/dist/browser/signalr.min.js"></script>
            

Step 2: Create Chat UI

Create a simple chat interface with input fields for entering a user name and message, and a display area for the conversation:

<div class="container">
    <h3>Real-Time Chat</h3>
    <div class="form-group">
        <input type="text" id="username" class="form-control" placeholder="Enter your name" />
    </div>
    <div class="form-group">
        <input type="text" id="message" class="form-control" placeholder="Enter a message" />
        <button id="sendMessage" class="btn btn-primary">Send</button>
    </div>
    <div id="chatArea">
        <!-- Chat messages will appear here -->
    </div>
</div>
            

Step 3: Connecting to the SignalR Hub

Now, we will set up the client-side code to connect to the SignalR hub and handle sending and receiving messages:

<script>
    const connection = new signalR.HubConnectionBuilder()
        .withUrl("/chathub")
        .build();

    connection.on("ReceiveMessage", (user, message) =&gt; {
        const chatArea = document.getElementById("chatArea");
        const messageDiv = document.createElement("div");
        messageDiv.textContent = `${user}: ${message}`;
        chatArea.appendChild(messageDiv);
    });

    document.getElementById("sendMessage").addEventListener("click", () =&gt; {
        const user = document.getElementById("username").value;
        const message = document.getElementById("message").value;
        connection.invoke("SendMessage", user, message)
            .catch(err => console.error(err));
    });

    connection.start().catch(err => console.error(err));
</script>
            

This code sets up the SignalR connection and listens for incoming messages. When a message is sent, it broadcasts the message to all connected clients.

Testing and Deployment

Once you've built the application, it's time to test it locally and deploy it to production. Make sure you test the application with multiple clients to verify real-time functionality.

For deployment, you can host your application on cloud platforms like Azure to take advantage of their built-in scaling features, ensuring that your real-time chat app can handle a large number of users efficiently.

© 2025 Sandeep Mhaske | All Rights Reserved

Sandip Mhaske

I’m a software developer exploring the depths of .NET, AWS, Angular, React, and digital entrepreneurship. Here, I decode complex problems, share insightful solutions, and navigate the evolving landscape of tech and finance.

Post a Comment

Previous Post Next Post