在C#中,使用Socket類可以實現客戶端和服務器之間的通信。下面是一個簡單的示例,展示了如何使用Socket類創建一個TCP服務器和客戶端并進行通信。
1. 創建TCP服務器
using System;
using System.Net;
using System.Net.Sockets;
using System.Text;
using System.Threading.Tasks;
class TcpServer
{
static void Main(string[] args)
{
int port = 5000;
IPAddress localAddr = IPAddress.Parse("127.0.0.1");
Socket listener = new Socket(localAddr.AddressFamily, SocketType.Stream, ProtocolType.Tcp);
try
{
listener.Bind(new IPEndPoint(localAddr, port));
listener.Listen(10);
while (true)
{
Console.WriteLine("等待客戶端連接...");
Socket handler = listener.Accept();
string data = null;
// 讀取客戶端發送的數據
byte[] bytes = new byte[1024];
int i = handler.Receive(bytes);
data += Encoding.ASCII.GetString(bytes, 0, i);
Console.WriteLine("收到消息: " + data);
// 向客戶端發送數據
string response = "服務器已收到消息";
byte[] msg = Encoding.ASCII.GetBytes(response);
handler.Send(msg);
handler.Shutdown(SocketShutdown.Both);
handler.Close();
}
}
catch (Exception e)
{
Console.WriteLine("發生錯誤: " + e.ToString());
}
finally
{
listener.Close();
}
}
}
2. 創建TCP客戶端
using System;
using System.Net;
using System.Net.Sockets;
using System.Text;
class TcpClient
{
static void Main(string[] args)
{
string server = "127.0.0.1";
int port = 5000;
try
{
Socket client = new Socket(IPAddress.Parse(server).AddressFamily, SocketType.Stream, ProtocolType.Tcp);
client.Connect(new IPEndPoint(IPAddress.Parse(server), port));
string message = "你好,服務器!";
byte[] msg = Encoding.ASCII.GetBytes(message);
client.Send(msg);
byte[] bytes = new byte[1024];
int i = client.Receive(bytes);
string response = Encoding.ASCII.GetString(bytes, 0, i);
Console.WriteLine("收到消息: " + response);
client.Shutdown(SocketShutdown.Both);
client.Close();
}
catch (Exception e)
{
Console.WriteLine("發生錯誤: " + e.ToString());
}
}
}
在這個示例中,我們創建了一個TCP服務器,監聽端口5000上的客戶端連接。當客戶端連接到服務器時,服務器會讀取客戶端發送的數據,并向客戶端發送確認消息。同樣,我們也創建了一個TCP客戶端,連接到服務器并發送一條消息,然后接收服務器的響應。
請注意,這個示例僅用于演示目的,實際應用中可能需要考慮更多的錯誤處理和功能實現。