在C#中,您可以使用TcpListener
类来创建一个TCP服务器,监听客户端的连接请求。以下是一个简单的示例,展示了如何使用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 listener = new TcpListener(ipAddress, port);
// 开始监听客户端连接
listener.Start();
Console.WriteLine("Server is listening on {0}", listener.LocalEndpoint);
while (true)
{
// 等待客户端连接
TcpClient client = await listener.AcceptTcpClientAsync();
Console.WriteLine("Client connected: {0}", client.Client.RemoteEndPoint);
// 处理客户端请求
HandleClient(client);
}
}
static async Task HandleClient(TcpClient client)
{
// 读取客户端发送的数据
NetworkStream stream = client.GetStream();
byte[] buffer = new byte[1024];
int bytesRead = await stream.ReadAsync(buffer, 0, buffer.Length);
string message = Encoding.UTF8.GetString(buffer, 0, bytesRead);
Console.WriteLine("Received message: {0}", message);
// 响应客户端
string response = "Hello from server!";
byte[] responseBytes = Encoding.UTF8.GetBytes(response);
await stream.WriteAsync(responseBytes, 0, responseBytes.Length);
// 关闭客户端连接
client.Close();
}
}
在这个示例中,我们首先创建了一个TcpListener
实例,监听所有可用的IP地址(IPAddress.Any
)和端口号(12345)。然后,我们使用Start()
方法开始监听客户端连接。
在无限循环中,我们使用AcceptTcpClientAsync()
方法等待客户端连接。当客户端连接时,我们调用HandleClient()
方法处理客户端请求。在HandleClient()
方法中,我们首先读取客户端发送的数据,然后向客户端发送一个响应消息。最后,我们关闭客户端连接。
这个示例仅用于演示目的,实际应用中可能需要根据需求进行更多的错误处理和功能实现。