C# Tcplistener,Tcp服务端简易封装

2023-12-19 12:20

本文主要是介绍C# Tcplistener,Tcp服务端简易封装,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

文章目录

  • 前言
  • 相关文章
  • 前言
  • 设计
  • 代码
  • 简单使用
  • 运行结果

前言

我最近有个需求要写Tcp服务端,我发现Tcp服务端的回调函数比较麻烦,简化Tcp的服务,我打算自己封装一个简单的Tcp服务端。

相关文章

C# TCP应用编程三 异步TCP应用编程

C# Tcpclient Tcplistener 服务器接收多个客户端消息通讯

关于C#Socket断开重连问题

前言

我最近有个Tcp服务端的项目,发现TcpListener 服务端官方写起来很麻烦。而且没有回调函数。现在做个简单的服务端封装

设计

TcpServerService
ShowMsg:打印消息
AddClient_CallBack:新增Tcp客户端回调函数
SendMsg/ReceiveMsg:Tcp客户端发送接受回调
Clients:Tcp客户端集合,连接增加,断开去除
其它函数

代码

 public class TcpServeService{public string Ip { get; set; }public int Port { get; set; }public TcpListener Server { get; set; }public List<TcpClient> Clients { get; set; }/// <summary>/// 客户端添加回调函数,如果要重写通讯逻辑需要覆盖/// </summary>public Action<TcpClient> AddClient_CallBack { get; set; }public Action<string> ShowMsg { get; set; }/// <summary>/// 默认自动回复Tcp服务端/// </summary>/// <param name="ip"></param>/// <param name="port"></param>public TcpServeService(string ip, int port){Clients = new List<TcpClient>();ShowMsg = (msg) => Console.WriteLine(msg);AddClient_CallBack = (client) => AutoSendBack(client);this.Ip = ip;this.Port = port;Server = new TcpListener(IPAddress.Parse(ip), port);}/// <summary>/// Tcp添加Client回调/// </summary>/// <param name="ar"></param>private void DoAcceptTcpclient(IAsyncResult ar){// Get the listener that handles the client request.TcpListener listener = (TcpListener)ar.AsyncState;// End the operation and display the received data on // the console.TcpClient client = listener.EndAcceptTcpClient(ar);Clients.Add(client);// Process the connection here. (Add the client to a// server table, read data, etc.)ShowMsg($"Tcp客户端连接成功!,当前连接数{Clients.Count},Id[{client.Client.RemoteEndPoint.ToString()}]");AddClient_CallBack(client);//开启线程用来不断接收来自客户端的数据Server.BeginAcceptTcpClient(new AsyncCallback(DoAcceptTcpclient), Server);}/// <summary>/// 移除Tcp客户端/// </summary>/// <param name="client"></param>public void RemoveClient(TcpClient client){NetworkStream stream = client.GetStream();ShowMsg($"Tcp客户端连接断开!,当前连接数{Clients.Count},Id[{client.Client.RemoteEndPoint.ToString()}]");stream.Close();client.Close();Clients.Remove(client);}/// <summary>/// 启动Tcp服务/// </summary>public void Start(){Server.Start();Server.BeginAcceptTcpClient(new AsyncCallback(DoAcceptTcpclient), Server);ShowMsg($"Tcp服务端启动成功!IP[{Ip}],Port[{Port}]");}/// <summary>/// 同步阻塞读取数据/// </summary>/// <param name="client"></param>/// <returns></returns>public static (string str, byte[] bytes) ReadMsg(TcpClient client){NetworkStream networkStream = client.GetStream();var resBytes = new byte[client.ReceiveBufferSize];networkStream.Read(resBytes, 0, resBytes.Length);var resStr = UnicodeEncoding.ASCII.GetString(resBytes);if (!IsConnect(client)){throw new Exception($"{client.Client.RemoteEndPoint?.ToString()}Tcp连接已断开");}return (resStr, resBytes);}/// <summary>/// 发送Ascll数据/// </summary>/// <param name="tcpClient"></param>/// <param name="msg"></param>public static void SendMsg(TcpClient tcpClient, string msg){byte[] arrSendMsg = Encoding.UTF8.GetBytes(msg);SendMsg(tcpClient, arrSendMsg);}/// <summary>/// Tcp客户端连接是否断开/// </summary>/// <param name="tcpClient"></param>/// <returns></returns>public static bool IsConnect(TcpClient tcpClient){if (tcpClient.Client.Poll(1, SelectMode.SelectRead) && tcpClient.Available == 0){return false;}else { return true; }}/// <summary>/// 发送Bytes[]数据/// </summary>/// <param name="tcpClient"></param>/// <param name="msg"></param>public static void SendMsg(TcpClient tcpClient, byte[] msg){NetworkStream networkStream = tcpClient.GetStream();networkStream.Write(msg, 0, msg.Length);}/// <summary>/// 默认自动回复,异常捕捉/// </summary>/// <param name="tcpClient"></param>/// <param name="timeOut">超时时间</param>/// <returns></returns>public async Task AutoSendBack(TcpClient tcpClient, int timeOut = 10 * 1000){//超时时间tcpClient.ReceiveTimeout = timeOut;tcpClient.SendTimeout = timeOut;while (true){try{if (!Clients.Contains(tcpClient)){throw new Exception("Tcp客户端已被移除!");}var receive = ReadMsg(tcpClient);ShowMsg($"TcpClient[{tcpClient.Client.RemoteEndPoint?.ToString()}]:收到数据{receive.str}");SendMsg(tcpClient, receive.str);}catch (Exception ex){RemoveClient(tcpClient);ShowMsg("发送失败");ShowMsg(ex.Message);}}}

简单使用

//对tcpServeService进行了默认配置,默认自动回复,自动维护Client集合
TcpServeService tcpServeService = new TcpServeService("192.168.100.21", 10003);//如果想要自定义回复,需要覆盖AddClient_CallBack函数,使用异步任务处理连接
//tcpServeService.AddClient_CallBack = ((client) => {
//    Task.Run(() =>
//    {
//        //你的客户端连接异步任务
//    });
//});//如果想要打印在Winfrom/WPF的界面,覆盖此回调
//tcpServeService.ShowMsg = (msg) =>
//{
//    //你的消息打印函数
//};
//tcpServeService.Start();
tcpServeService.Start();

运行结果

在这里插入图片描述

这篇关于C# Tcplistener,Tcp服务端简易封装的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/512130

相关文章

2. c#从不同cs的文件调用函数

1.文件目录如下: 2. Program.cs文件的主函数如下 using System;using System.Collections.Generic;using System.Linq;using System.Threading.Tasks;using System.Windows.Forms;namespace datasAnalysis{internal static

C#实战|大乐透选号器[6]:实现实时显示已选择的红蓝球数量

哈喽,你好啊,我是雷工。 关于大乐透选号器在前面已经记录了5篇笔记,这是第6篇; 接下来实现实时显示当前选中红球数量,蓝球数量; 以下为练习笔记。 01 效果演示 当选择和取消选择红球或蓝球时,在对应的位置显示实时已选择的红球、蓝球的数量; 02 标签名称 分别设置Label标签名称为:lblRedCount、lblBlueCount

用命令行的方式启动.netcore webapi

用命令行的方式启动.netcore web项目 进入指定的项目文件夹,比如我发布后的代码放在下面文件夹中 在此地址栏中输入“cmd”,打开命令提示符,进入到发布代码目录 命令行启动.netcore项目的命令为:  dotnet 项目启动文件.dll --urls="http://*:对外端口" --ip="本机ip" --port=项目内部端口 例: dotnet Imagine.M

JavaSE——封装、继承和多态

1. 封装 1.1 概念      面向对象程序三大特性:封装、继承、多态 。而类和对象阶段,主要研究的就是封装特性。何为封装呢?简单来说就是套壳屏蔽细节 。     比如:对于电脑这样一个复杂的设备,提供给用户的就只是:开关机、通过键盘输入,显示器, USB 插孔等,让用户来和计算机进行交互,完成日常事务。但实际上:电脑真正工作的却是CPU 、显卡、内存等一些硬件元件。

Java Websocket实例【服务端与客户端实现全双工通讯】

Java Websocket实例【服务端与客户端实现全双工通讯】 现很多网站为了实现即时通讯,所用的技术都是轮询(polling)。轮询是在特定的的时间间隔(如每1秒),由浏览器对服务器发 出HTTP request,然后由服务器返回最新的数据给客服端的浏览器。这种传统的HTTP request 的模式带来很明显的缺点 – 浏 览器需要不断的向服务器发出请求,然而HTTP

【Go】go连接clickhouse使用TCP协议

离开你是傻是对是错 是看破是软弱 这结果是爱是恨或者是什么 如果是种解脱 怎么会还有眷恋在我心窝 那么爱你为什么                      🎵 黄品源/莫文蔚《那么爱你为什么》 package mainimport ("context""fmt""log""time""github.com/ClickHouse/clickhouse-go/v2")func main(

JAVA用最简单的方法来构建一个高可用的服务端,提升系统可用性

一、什么是提升系统的高可用性 JAVA服务端,顾名思义就是23体验网为用户提供服务的。停工时间,就是不能向用户提供服务的时间。高可用,就是系统具有高度可用性,尽量减少停工时间。如何用最简单的方法来搭建一个高效率可用的服务端JAVA呢? 停工的原因一般有: 服务器故障。例如服务器宕机,服务器网络出现问题,机房或者机架出现问题等;访问量急剧上升,导致服务器压力过大导致访问量急剧上升的原因;时间和

2024.9.8 TCP/IP协议学习笔记

1.所谓的层就是数据交换的深度,电脑点对点就是单层,物理层,加上集线器还是物理层,加上交换机就变成链路层了,有地址表,路由器就到了第三层网络层,每个端口都有一个mac地址 2.A 给 C 发数据包,怎么知道是否要通过路由器转发呢?答案:子网 3.将源 IP 与目的 IP 分别同这个子网掩码进行与运算****,相等则是在一个子网,不相等就是在不同子网 4.A 如何知道,哪个设备是路由器?答案:在 A

C# dateTimePicker 显示年月日,时分秒

dateTimePicker默认只显示日期,如果需要显示年月日,时分秒,只需要以下两步: 1.dateTimePicker1.Format = DateTimePickerFormat.Time 2.dateTimePicker1.CustomFormat = yyyy-MM-dd HH:mm:ss Tips:  a. dateTimePicker1.ShowUpDown = t

C#关闭指定时间段的Excel进程的方法

private DateTime beforeTime;            //Excel启动之前时间          private DateTime afterTime;               //Excel启动之后时间          //举例          beforeTime = DateTime.Now;          Excel.Applicat