Implementing SignalR in ASP.NET Core

Implementing SignalR in ASP.NET Core

26 Jun 2024
Intermediate
39 Views
10 min read

SignalR in ASP.NET Core

Are you ready to go into the world of real-time web applications? Imagine your web app sending fast notifications without users needing to refresh their pages. This is exactly what SignalR does. It is a library used for adding real-time web features to a web application.

In this ASP.NET Tutorial, we will learn more about SignalR .NET Core, covering everything from setup to implementation and even some advanced features. Alternatively, you can enroll in an ASP.NET Certification Training to explore more about various features and concepts related to ASP.NET.

What is SignalR?

SignalR is a library for ASP.NET developers that makes it easy to add real-time web features to apps without a troublesome process. This makes it possible for the server code to send live updates to the clients immediately after they become accessible. SignalR, for instance, lets you create such things as chat apps, interactive dashboards, as well as notifications among others.

Steps to Implement SignalR in .NET Core

Setting up SignalR in a .NET Core application involves a few key steps. Let's understand them with a SignalR in .NET Core Example:

1. Configuring SignalR on the Server

Before anything else, you must establish your server to support SignalR. This implies setting up your ASP.NET Core application so that it includes the services and middleware it requires.

2. Creating Your ASP.NET Core Application

We will begin by creating a new ASP.NET Core application. Please use your terminal or command prompt for the following instructions:

dotnet new webapp -o SignalRChatApp
cd SignalRChatApp
dotnet add package Microsoft.AspNetCore.SignalR
dotnet add package Microsoft.AspNetCore.SignalR.Client

This sets up a new web application and installs the SignalR packages.

3. Configuring SignalR Services

Next, configure SignalR in your Startup.cs file. Add the SignalR services in the ConfigureServices method and set up the SignalR middleware in the Configure method.
public void ConfigureServices(IServiceCollection services)
{
    services.AddRazorPages();
    services.AddSignalR();
}

public void Configure(IApplicationBuilder app, IWebHostEnvironment env)
{
    if (env.IsDevelopment())
    {
        app.UseDeveloperExceptionPage();
    }
    else
    {
        app.UseExceptionHandler("/Error");
        app.UseHsts();
    }

    app.UseHttpsRedirection();
    app.UseStaticFiles();
    app.UseRouting();

    app.UseAuthorization();

    app.UseEndpoints(endpoints =>
    {
        endpoints.MapRazorPages();
        endpoints.MapHub<ChatHub>("/chatHub");
    });
}

4. Setting Up Your SignalR Hub

The hub is the centerpiece of SignalR, defining methods that clients can call and enabling communication between the server and clients. Create a ChatHub class to handle these interactions.

using Microsoft.AspNetCore.SignalR;
using System.Threading.Tasks;

public class ChatHub : Hub
{
    public async Task SendMessage(string user, string message)
    {
        await Clients.All.SendAsync("ReceiveMessage", user, message);
    }
}

5. Create SignalR Client Library

To interact with SignalR from the client side, set up the SignalR client library. Include the SignalR JavaScript library in your Razor Pages or MVC view and establish a connection.
<script src="https://cdnjs.cloudflare.com/ajax/libs/microsoft-signalr/5.0.11/signalr.min.js"></script>
<script>
    const connection = new signalR.HubConnectionBuilder()
        .withUrl("/chatHub")
        .build();

    connection.on("ReceiveMessage", (user, message) => {
        const msg = `${user}: ${message}`;
        const li = document.createElement("li");
        li.textContent = msg;
        document.getElementById("messagesList").appendChild(li);
    });

    connection.start().catch(err => console.error(err.toString()));

    document.getElementById("sendButton").addEventListener("click", event => {
        const user = document.getElementById("userInput").value;
        const message = document.getElementById("messageInput").value;
        connection.invoke("SendMessage", user, message).catch(err => console.error(err.toString()));
        event.preventDefault();
    });
Read More: Salary Offered to ASP.NET Developers

How SignalR Works

SignalR uses the Hub class, which helps boost communication between the server and clients. The Hub defines methods that clients can invoke and handles communication tasks such as broadcasting messages or managing groups.

1. Broadcasting Messages to Clients

In our ChatHub example, 'Clients.All.SendAsync("ReceiveMessage", user, message);' broadcasts a message to all connected clients. SignalR also supports targeting specific clients or groups of clients for more refined messaging.

2. Managing Groups of Connected Clients

SignalR allows you to group connections, useful for scenarios like chat rooms or specific user segments. You can dynamically manage groups to control which clients receive particular messages.
public async Task AddToGroup(string groupName)
{
    await Groups.AddToGroupAsync(Context.ConnectionId, groupName);
}

public async Task SendMessageToGroup(string groupName, string user, string message)
{
    await Clients.Group(groupName).SendAsync("ReceiveMessage", user, message);
}

Handling Errors in SignalR Applications

Error handling is critical in SignalR applications. Hubs can use try-catch blocks to manage exceptions, while clients should handle connection errors to maintain application stability.
public async Task SendMessage(string user, string message)
{
    try
    {
        await Clients.All.SendAsync("ReceiveMessage", user, message);
    }
    catch (Exception ex)
    {
        // Handle the exception
    }
}

On the client side, ensure you handle connection failures gracefully:

connection.start().catch(err => console.error(err.toString()));

Unit Testing SignalR Hubs and Clients

Testing SignalR Hubs involves simulating client interactions. Use unit tests to verify Hub functionality, ensuring that methods correctly send and receive messages or manage client connections.
public class ChatHubTests
{
    private readonly Mock<IHubCallerClients> _mockClients;
    private readonly Mock<IClientProxy> _mockClientProxy;
    private readonly ChatHub _chatHub;

    public ChatHubTests()
    {
        _mockClients = new Mock<IHubCallerClients>();
        _mockClientProxy = new Mock<IClientProxy>();
        _chatHub = new ChatHub
        {
            Clients = _mockClients.Object
        };
    }

    [Fact]
    public async Task SendMessage_ShouldInvokeReceiveMessage()
    {
        _mockClients.Setup(clients => clients.All).Returns(_mockClientProxy.Object);

        await _chatHub.SendMessage("user", "message");

        _mockClientProxy.Verify(client => client.SendCoreAsync("ReceiveMessage", It.Is
Conclusion
This article made you understand what SignalR is. SignalR in .NET Core makes real-time web functionalities much easier to implement. To learn about various other core concepts of ASP.NET Core, consider enrolling in our ASP.NET Core Certification Course.
Read More: Top 50 ASP.NET Core Interview Questions and Answers for 2024

FAQs

Q1. What is the use of SignalR in .NET core?

SignalR in .NET Core is used to establish real-time communication between the server and the client.

Q2. How do I install SignalR in my .NET Core project?

 To install SignalR in your .NET Core project, open your terminal and run the following commands: 
dotnet add package Microsoft.AspNetCore.SignalR
dotnet add package Microsoft.AspNetCore.SignalR.Client

Q3. What are SignalR hubs and how do they work?

SignalR hubs are those classes within SignalR which facilitate connection and communication between clients and servers.

Take our Aspnet skill challenge to evaluate yourself!

In less than 5 minutes, with our skill challenge, you can identify your knowledge gaps and strengths in a given skill.

GET FREE CHALLENGE

Share Article

Live Classes Schedule

Our learn-by-building-project method enables you to build practical/coding experience that sticks. 95% of our learners say they have confidence and remember more when they learn by building real world projects.
ASP.NET Core Certification Training Jun 30 SAT, SUN
Filling Fast
10:00AM to 12:00PM (IST)
Get Details
Advanced Full-Stack .NET Developer Certification Training Jun 30 SAT, SUN
Filling Fast
10:00AM to 12:00PM (IST)
Get Details

Can't find convenient schedule? Let us know

About Author
Shailendra Chauhan (Microsoft MVP, Founder & CEO at Scholarhat by DotNetTricks)

Shailendra Chauhan is the Founder and CEO at ScholarHat by DotNetTricks which is a brand when it comes to e-Learning. He provides training and consultation over an array of technologies like Cloud, .NET, Angular, React, Node, Microservices, Containers and Mobile Apps development. He has been awarded Microsoft MVP 8th time in a row (2016-2023). He has changed many lives with his writings and unique training programs. He has a number of most sought-after books to his name which has helped job aspirants in cracking tough interviews with ease.
Accept cookies & close this