search
HomeBackend DevelopmentC#.Net TutorialDetailed explanation of the application of Asp.net SignalR and implementation of group chat function

This article mainly shares the Asp.net SignalR application and implements the group chat function, which has certain reference value. Interested friends can refer to it

ASP.NET SignalR is for ASP A library provided by .NET developers that simplifies the process for developers to add real-time Web functionality to applications. A real-time web feature is a feature where server code can push content to a connected client as soon as it becomes available, rather than having the server wait for the client to request new data. (From the official introduction.)

SignalR official website

-1. The reason for writing this article

is solved in the previous article B/S (Web) real-time communication In the plan, there is no detailed introduction to SignalR, so a separate article is dedicated to introducing SignalR. The focus of this article is the Hub function.

0. Let’s take a look at the final implementation first

##github.com/Emrys5/SignalRGroupChatDemo

1. Preparation

1.1. First download the SignalR package on NuGet.

1.2. Configure Owin and SignalR

1.2.1. Create a new Startup class, register SignalR

public class Startup
 {
 public void Configuration(IAppBuilder app)
 {
  app.MapSignalR();
 }
 }

and then configure the Startup class in web.config, add

appSettings node ="SignalRChat.App_Start.Startup"/>

1.2.2. Introduce SignalR js into the page

1. Since the SignalR front-end is based on jQuery, the page needs to be introduced jQuery.

2. Introduce SignalR’s js.

3. Introduce the most important hubs js. This js does not actually exist. SignalR will reflect all the methods for the client to call and put them into hubs js.

<script src="~/Scripts/jquery-1.10.2.js"></script>
<script src="~/Scripts/jquery.signalR-2.2.1.min.js"></script> 
<script src="~/signalr/hubs"></script>

1.2.3. Create a new GroupChatHub class and inherit the Hub abstract class

The method in the hub class is the js method provided to the client for calling.

You can use signalr to call SendMsg in js.

[HubName("simpleHub")]
 public class SimpleHub : Hub
 { 
 public void SendMsg(string msg)
 {
 }
 }

In this way, the preliminary preparation work is basically completed, and the specific operations follow.

2. Principle and simple programming

In fact, if the principle is simple to understand, it is very simple, because http is stateless, so after each request will be disconnected from the server, which means that the client can easily find the server, but it will be more troublesome if the server wants to send a message to your client. If you don’t understand, you can refer to the previous article B/S (Web) Real-time Communication solution.

SignalR solves this problem very well, which means that it realizes full-duplex communication between the browser and the server.

2.1. Client to server (B=>S)

Client code

<script type="text/javascript"> 
 var ticker = $.connection.simpleHub;
 $.connection.hub.start();

 $("#btn").click(function () {

 // 链接完成以后,可以发送消息至服务端
 ticker.server.sendMsg("需要发送的消息");
 });
 
</script>

Server Code

[HubName("simpleHub")]
 public class SimpleHub : Hub
 {
 public void SendMsg(string msg)
 {
  // 获取链接id
  var connectionId = Context.ConnectionId; 
  // 获取cookie
  var cookie = Context.RequestCookies;

 }

 }

SimpleHub is the inherited Hub class SimpleHub we defined, and then we can rename it with the attribute HubName.

Then start linking.

After the link is completed, we can call the method called in the SimpleHub class. This makes it very simple to send messages from the client to the server.

We can also get what we want in Context, such as link id, cookie, etc.

2.2. Server to client (S=>B)

Server code

[HubName("simpleHub")]
 public class SimpleHub : Hub
 {
 public void SendMsg(string msg)
 {
  Clients.All.msg("发送给客户端的消息"); 
 }
 }

Client Code

<script type="text/javascript">

 var ticker = $.connection.groupChatHub;
 $.connection.hub.start();

 ticker.client.msg = function (data) {
 console.log(data);
 } 
</script>

This demonstrates how to send messages to the client, which is also an important function of SignalR. There are two problems that need to be solved here.

Question 1. Here is a message sent to all connected clients. How should it be sent if it is a single client or a group of clients.

Question 2: When we call msg to send a message to a client, we give feedback after receiving the message, and then send the message to the client. This is very similar to ajax. The server does not actively send messages to the client. end to send messages.

Solution:

Problem 1. Clients can send messages to a group or a client of a feature

// 所有人
Clients.All.msg("发送给客户端的消息"); 
// 特定 cooectionId
Clients.Client("connectionId").msg("发送给客户端的消息");
// 特定 group
Clients.Group("groupName").msg("发送给客户端的消息");

These are the three more commonly used ones. Of course there are many more, such as AllExcept, Clients.

Others, OthersInGroup, OthersInGroups, etc. were also added in SignalR2.0.

Question 2. We can call GlobalHost.ConnectionManager.GetHubContext().Clients to get Clients where we need to send messages. To obtain Clients and send messages, we'd better write them in singleton mode, because this requirement is very consistent with singletons, and there are detailed codes in the group chat.

3. SignalR implements group chat

The above introduction and code can already implement b=>s and s=>b, then implement it Group chat and individual chat are relatively simple.

由于功能比较简单,所有我把用户名存到了cookie里,也就说第一次进来时需要设置cookie。

还有就是在hub中要实现OnConnected、OnDisconnected和OnReconnected,然后在方法中设置用户和connectionid和统计在线用户,以便聊天使用。

hub代码

/// <summary>
 /// SignalR Hub 群聊类
 /// </summary>
 [HubName("groupChatHub")] // 标记名称供js调用
 public class GroupChatHub : Hub
 {
 /// <summary>
 /// 用户名
 /// </summary>
 private string UserName
 {
  get
  {
  var userName = Context.RequestCookies["USERNAME"];
  return userName == null ? "" : HttpUtility.UrlDecode(userName.Value);
  }
 }

 /// <summary>
 /// 在线用户
 /// </summary>
 private static Dictionary<string, int> _onlineUser = new Dictionary<string, int>();

 /// <summary>
 /// 开始连接
 /// </summary>
 /// <returns></returns>
 public override Task OnConnected()
 {
  Connected();
  return base.OnConnected();
 }


 /// <summary>
 /// 重新链接
 /// </summary>
 /// <returns></returns>
 public override Task OnReconnected()
 {
  Connected();
  return base.OnReconnected();
 }


 private void Connected()
 {
  // 处理在线人员
  if (!_onlineUser.ContainsKey(UserName)) // 如果名称不存在,则是新用户
  {

  // 加入在线人员
  _onlineUser.Add(UserName, 1);

  // 向客户端发送在线人员
  Clients.All.publshUser(_onlineUser.Select(i => i.Key));

  // 向客户端发送加入聊天消息
  Clients.All.publshMsg(FormatMsg("系统消息", UserName + "加入聊天"));
  }
  else
  {
  // 如果是已经存在的用户,则把在线链接的个数+1
  _onlineUser[UserName] = _onlineUser[UserName] + 1;
  }

  // 加入Hub Group,为了发送单独消息
  Groups.Add(Context.ConnectionId, "GROUP-" + UserName);
 }


 /// <summary>
 /// 结束连接
 /// </summary>
 /// <param name="stopCalled"></param>
 /// <returns></returns>
 public override Task OnDisconnected(bool stopCalled)
 {
  // 人员链接数-1
  _onlineUser[UserName] = _onlineUser[UserName] - 1;

  // 判断是否断开了所有的链接
  if (_onlineUser[UserName] == 0)
  {
  // 移除在线人员
  _onlineUser.Remove(UserName);

  // 向客户端发送在线人员
  Clients.All.publshUser(_onlineUser.Select(i => i.Key));

  // 向客户端发送退出聊天消息
  Clients.All.publshMsg(FormatMsg("系统消息", UserName + "退出聊天"));
  }

  // 移除Hub Group
  Groups.Remove(Context.ConnectionId, "GROUP-" + UserName);
  return base.OnDisconnected(stopCalled);
 }

 /// <summary>
 /// 发送消息,供客户端调用
 /// </summary>
 /// <param name="user">用户名,如果为0,则是发送给所有人</param>
 /// <param name="msg">消息</param>
 public void SendMsg(string user, string msg)
 {
  if (user == "0")
  {
  // 发送给所有用户消息
  Clients.All.publshMsg(FormatMsg(UserName, msg));
  }
  else
  {
  //// 发送给自己消息
  //Clients.Group("GROUP-" + UserName).publshMsg(FormatMsg(UserName, msg));

  //// 发送给选择的人员
  //Clients.Group("GROUP-" + user).publshMsg(FormatMsg(UserName, msg));


  // 发送给自己消息
  Clients.Groups(new List<string> { "GROUP-" + UserName, "GROUP-" + user }).publshMsg(FormatMsg(UserName, msg));

  }
 }


 /// <summary>
 /// 格式化发送的消息
 /// </summary>
 /// <param name="name"></param>
 /// <param name="msg"></param>
 /// <returns></returns>
 private dynamic FormatMsg(string name, string msg)
 {
  return new { Name = name, Msg = HttpUtility.HtmlEncode(msg), Time = DateTime.Now.ToString("yyyy-MM-dd HH:mm:ss") };
 }
 }

js代码

<script type="text/javascript">
 $(function () {

  // 链接hub
  var ticker = $.connection.groupChatHub;
  $.connection.hub.start();

  // 接收服务端发送的消息
  $.extend(ticker.client, {

  // 接收聊天消息
  publshMsg: function (data) {
   $("#msg").append("<li><span class=&#39;p&#39;>" + data.Name + ":</span>" + data.Msg + " <span class=&#39;time&#39;>" + data.Time + "</span></li>")
   $("#msg").parents("p")[0].scrollTop = $("#msg").parents("p")[0].scrollHeight;
  },

  // 接收在线人员,然后加入Select,以供单独聊天选中
  publshUser: function (data) {
   $("#count").text(data.length);
   $("#users").empty();
   $("#users").append(&#39;<option value="0">所有人</option>&#39;);
   for (var i = 0; i < data.length; i++) {
   $("#users").append(&#39;<option value="&#39; + data[i] + &#39;">&#39; + data[i] + &#39;</option>&#39;)
   }

  }
  });

  // 发送消息按钮
  $("#btn-send").click(function () {
  var msg = $("#txt-msg").val();
  if (!msg) {
   alert(&#39;请输入内容!&#39;); return false;
  }
  $("#txt-msg").val(&#39;&#39;);

  // 主动发送消息,传入发送给谁,和发送的内容。
  ticker.server.sendMsg($("#users").val(), msg);
  });

 });
 </script>

html代码

<h2>
 群聊系统(<span id="count">1</span>人在线):@ViewBag.UserName
</h2>


<p style="overflow:auto;height:300px">
 <ul id="msg"></ul>
</p>

<select id="users" class="form-control" style="max-width:150px;">
 <option value="0">所有人</option>
</select>

<input type="text" onkeydown=&#39;if (event.keyCode == 13) { $("#btn-send").click() }&#39; class="form-control" id="txt-msg" placeholder="内容" style="max-width:400px;" />
<br />
<button type="button" id="btn-send">发送</button>

这样就消息了群聊和发送给特定的人聊天功能。

3.1、封装主动发送消息的单例

/// <summary>
 /// 主动发送给用户消息,单例模式
 /// </summary>
 public class GroupChat
 {
 /// <summary>
 /// Clients,用来主动发送消息
 /// </summary>
 private IHubConnectionContext<dynamic> Clients { get; set; }

 private readonly static GroupChat _instance = new GroupChat(GlobalHost.ConnectionManager.GetHubContext<GroupChatHub>().Clients);

 private GroupChat(IHubConnectionContext<dynamic> clients)
 {
  Clients = clients;
 }

 public static GroupChat Instance
 {
  get
  {
  return _instance;
  }
 }


 /// <summary>
 /// 主动给所有人发送消息,系统直接调用
 /// </summary>
 /// <param name="msg"></param>
 public void SendSystemMsg(string msg)
 {
  Clients.All.publshMsg(new { Name = "系统消息", Msg = msg, Time = DateTime.Now.ToString("yyyy-MM-dd HH:mm:ss") });
 }
 }

如果需要发送消息,直接调用SendSystemMsg即可。

GroupChat.Instance.SendSystemMsg("消息");

 4、结语

啥也不说了直接源码

github.com/Emrys5/SignalRGroupChatDemo

The above is the detailed content of Detailed explanation of the application of Asp.net SignalR and implementation of group chat function. For more information, please follow other related articles on the PHP Chinese website!

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
微信群聊移出群人员的详细方法微信群聊移出群人员的详细方法Mar 25, 2024 pm 05:00 PM

1、找到并打开手机里的微信软件。2、点击需要移出群人员的群聊,进入聊天页面。3、聊天页面右上角点击【...】。4、往下滑动找到并点击群人员后方的【-】处。

QQ如何允许群聊加我为好友QQ如何允许群聊加我为好友Mar 01, 2024 am 11:31 AM

使用QQ这款社交软件时,其他用户可以通过群聊来添加自己为好友。下面为大家介绍一下设置开启通过群聊加我为好友的方法。进入手机QQ界面后,点击左上角的个人头像,打开菜单页面,然后在页面的左下角点击“设置”功能,进入设置界面。2.来到设置页面后,在“隐私”这一项上面点击选择。3.接下来,在隐私页面里有一个“加我为好友的方式”,在它的上面点击进入。4.在新的页面里“可通过以下方式加我为好友”下面会看到有选项列表,在“群聊”的后面点击对应的开关按钮。当按钮设置为蓝色时代表开启,其他用户就可以在群聊里找到自

百度网盘群聊怎么加入百度网盘群聊怎么加入Mar 06, 2024 pm 05:19 PM

百度网盘提供文件的保存与分享功能除此之外,它还隐藏着许多其他实用功能,旨在满足用户多样化的需求。其中,通过百度网盘进行交流和探讨,添加好友或加入群聊,与他人分享文件,都是其受欢迎的原因之一。那么百度网盘app中究竟该如何加如群聊呢,想要了解的用户们就快来跟着本文一起详细了解一下吧!百度网盘怎么加群?1、打开百度网盘,点击共享。2、点击右上角加号图标。3、点击加好友/群。4、输入群号搜素,点击加入即可。

微信群聊找不到了怎么办微信群聊找不到了怎么办Apr 26, 2024 pm 01:14 PM

1、打开微信app,点击右上角的搜索图标,输入自己的微信昵称。2、系统将自动显示用户所在的各种群聊,点击【更多群聊】按钮即可查看所有加入过的群聊。3、用户可以在所有群聊里查找之前未找到的群聊。

利用PHP和SignalR实现实时数据通信利用PHP和SignalR实现实时数据通信Jun 28, 2023 am 09:08 AM

随着现在移动互联网的快速发展,实时通信已经逐渐成为了一种非常重要的需求。在实时通信中,最基本的需求就是实时数据通信,也就是要求服务器能够实时向客户端发送数据并进行实时交互。在实现实时数据通信时,PHP和SignalR是两个非常强大的工具。PHP是一种非常流行的开发语言,可以用来编写服务器端的代码,而SignalR则是一种实时通信框架,可以用来实现实时数据通信

高德地图群聊怎么加入高德地图群聊怎么加入Feb 27, 2024 pm 12:30 PM

高德地图软件不仅提供了精准的导航服务,还为用户们带来了群聊功能,使出行更加便捷和有趣。在高德地图中,您可以轻松创建属于自己的群聊,或者选择加入已有的群聊。但是很多用户们可能还不清楚究竟该如何在高德地图app中打开群聊,那么下文中就将为大家带来详细的内容介绍,还不了解的用户们就快来跟着本文一起阅读吧!高德地图群聊怎么打开答案:【高德地图】-【消息】-【群聊】。具体步骤:1、首先打开高德地图软件,进入到之后可以在下方看见首页、附近、消息、打车、我的,在这里点击【消息】;2、然后在消息的页面中我们点击

钉钉群聊发布紧急通知的详细方法钉钉群聊发布紧急通知的详细方法Mar 29, 2024 pm 06:16 PM

1、首先点击进入手机上的钉钉软件。2、然后再点进入你创建的群聊。3、再点击群聊页面右上角的三个小点。

美团群聊怎样设置消息免打扰_美团群聊消息免打扰设置步骤美团群聊怎样设置消息免打扰_美团群聊消息免打扰设置步骤Mar 27, 2024 pm 11:50 PM

1、群聊在我们购买了该店商品后会自动弹出在订单下方。2、而后续消息将会显示在页面下方【消息】一栏。3、选择一个群聊进入,点击右上角人物图像按钮。4、在这就可以看到群聊所有相关信息,点击【消息免打扰】右侧按钮即可关闭新消息提醒。但有商家发放优惠券也会及时提醒大家的。

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Tools

SublimeText3 English version

SublimeText3 English version

Recommended: Win version, supports code prompts!

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

WebStorm Mac version

WebStorm Mac version

Useful JavaScript development tools

SublimeText3 Linux new version

SublimeText3 Linux new version

SublimeText3 Linux latest version

MinGW - Minimalist GNU for Windows

MinGW - Minimalist GNU for Windows

This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.