DEV Community

Cover image for Exploring Real-Time Communication with SignalR and .NET Core
Bhavin Moradiya
Bhavin Moradiya

Posted on

Exploring Real-Time Communication with SignalR and .NET Core

In the realm of web development, real-time communication has become increasingly important for creating interactive and dynamic applications. SignalR, a powerful library in the .NET Core ecosystem, provides a seamless solution for incorporating real-time functionality. In this detailed post, we will explore the ins and outs of SignalR and its integration with .NET Core, showcasing how it enables real-time communication through a step-by-step code implementation.

1. Getting Started: Setting up a SignalR Project
To begin, let's create a new .NET Core project and set up SignalR. Open your terminal or command prompt and execute the following commands:

dotnet new webapp -n RealTimeApp
cd RealTimeApp
Enter fullscreen mode Exit fullscreen mode

2. Installing the SignalR Package: SignalR is available as a NuGet package. In your project directory, run the following command to add the SignalR package to your project:

dotnet add package Microsoft.AspNetCore.SignalR
Enter fullscreen mode Exit fullscreen mode

3. Creating a SignalR Hub: A SignalR hub acts as a communication endpoint that handles incoming and outgoing messages. Create a new directory called "Hubs" within your project and add a new class file called RealTimeHub.cs. Inside the file, define a class named RealTimeHub that derives from Hub:

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

namespace RealTimeApp.Hubs
{
    public class RealTimeHub : Hub
    {
        public async Task SendMessage(string user, string message)
        {
            await Clients.All.SendAsync("ReceiveMessage", user, message);
        }
    }
}
Enter fullscreen mode Exit fullscreen mode


csharp
In the code above, we create a method called SendMessage that accepts a user name and a message. The method uses the Clients.All.SendAsync method to send the message to all connected clients, triggering the "ReceiveMessage" event on the client side.

4. Configuring SignalR in Startup : Open the Startup.cs file in your project and modify the ConfigureServices method to include the SignalR services:

using RealTimeApp.Hubs;

public void ConfigureServices(IServiceCollection services)
{
    services.AddSignalR();
    // Additional service configurations
}

Enter fullscreen mode Exit fullscreen mode

Next, add the following code inside the Configure method to map the SignalR hub endpoint:

app.UseRouting();

app.UseEndpoints(endpoints =>
{
    endpoints.MapHub<RealTimeHub>("/realtimehub");
    // Additional endpoint configurations
});
Enter fullscreen mode Exit fullscreen mode

5. Implementing Real-Time Communication in a Razor Page :
Let's now integrate SignalR into a Razor Page. Create a new Razor Page called Index.cshtml in the Pages directory. Replace the content of the file with the following code:

@page
@using Microsoft.AspNetCore.SignalR.Client

<h1>Real-Time Chat</h1>

<div id="chatArea">
    <ul id="messages"></ul>
    <input type="text" id="messageInput" />
    <button id="sendButton">Send</button>
</div>

<script src="https://code.jquery.com/jquery-3.6.0.min.js"></script>
<script src="/hub/signalr"></script>
<script>
    var connection = new signalR.HubConnectionBuilder().withUrl("/realtimehub").build();

    connection.on("ReceiveMessage", function (user, message) {
        var encodedMessage = user + " says: " + message;
        var li = $("<li></li>").text(encodedMessage);
        $("#messages").append(li);
    });

    connection.start().catch(function (err) {
        console.error(err.toString());
    });

    $("#sendButton").click(function () {
        var user = "Guest";
        var message = $("#messageInput").val();
        connection.invoke("SendMessage", user, message).catch(function (err) {
            console.error(err.toString());
        });
        $("#messageInput").val('');
    });
</script>
Enter fullscreen mode Exit fullscreen mode

In the code snippet above, we start by importing the SignalR JavaScript library and jQuery. Then, we create a HubConnection using the hub URL ("/realtimehub").

The connection.on method listens for the "ReceiveMessage" event, which is triggered when a message is received from the server. It appends the received message to the chat area.

The connection.start() method establishes the connection with the SignalR hub. If any errors occur, they are logged to the console.

The click event on the "Send" button invokes the server-side SendMessage method with the user name and message as parameters. After sending the message, it clears the input field.

6. Running and Testing the Real-Time Chat Application :
To run the application, execute the following command in the project directory:

dotnet run
Enter fullscreen mode Exit fullscreen mode

Open your web browser and navigate to https://localhost:5001/index. You should see the real-time chat interface.

Enter a message in the input field and click the "Send" button. The message will be sent to the server, which will then broadcast it to all connected clients. You'll observe the message appearing in the chat area.

We explored the powerful capabilities of SignalR and its integration with .NET Core. By following the step-by-step instructions and code examples, you can seamlessly incorporate real-time communication into your .NET Core applications. SignalR's hub-based architecture, event handling, and client-server interaction provide a robust foundation for building interactive and dynamic applications. With SignalR and .NET Core, you can unlock a world of real-time possibilities and deliver enhanced user experiences in your web applications.

Top comments (0)