在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()
方法中,我們首先讀取客戶端發送的數據,然后向客戶端發送一個響應消息。最后,我們關閉客戶端連接。
這個示例僅用于演示目的,實際應用中可能需要根據需求進行更多的錯誤處理和功能實現。