在C#中,TcpListener
类用于创建一个TCP服务器,监听来自客户端的连接请求
using System;
using System.Net;
using System.Net.Sockets;
using System.Text;
using System.Threading.Tasks;
class TcpServer
{
static void Main(string[] args)
{
// 设置监听的IP地址和端口号
IPAddress ipAddress = IPAddress.Any;
int port = 12345;
// 创建一个TcpListener实例
TcpListener tcpListener = new TcpListener(ipAddress, port);
// 开始监听客户端连接请求
Console.WriteLine("Server is listening...");
tcpListener.Start();
while (true)
{
// 等待客户端连接请求
Console.Write("Waiting for a client connection...");
TcpClient client = await tcpListener.AcceptTcpClientAsync();
// 处理客户端连接
HandleClientConnection(client);
}
}
static async Task HandleClientConnection(TcpClient client)
{
// 获取客户端的输入流和输出流
NetworkStream inputStream = client.GetStream();
NetworkStream outputStream = client.GetStream();
// 读取客户端发送的数据
byte[] buffer = new byte[1024];
int bytesRead = await inputStream.ReadAsync(buffer, 0, buffer.Length);
string receivedData = Encoding.UTF8.GetString(buffer, 0, bytesRead);
Console.WriteLine($"Received from client: {receivedData}");
// 向客户端发送响应数据
string responseData = "Hello from server!";
byte[] responseBytes = Encoding.UTF8.GetBytes(responseData);
await outputStream.WriteAsync(responseBytes, 0, responseBytes.Length);
Console.WriteLine("Sent to client: " + responseData);
// 关闭客户端连接
client.Close();
}
}
在这个示例中,我们首先创建了一个TcpListener
实例,指定监听的IP地址(IPAddress.Any
表示监听所有可用的网络接口)和端口号(12345)。然后,我们使用Start()
方法开始监听客户端连接请求。
在while
循环中,我们使用AcceptTcpClientAsync()
方法等待客户端连接请求。当接收到客户端连接时,我们调用HandleClientConnection()
方法处理客户端连接。在这个方法中,我们从客户端读取数据,向客户端发送响应数据,然后关闭客户端连接。