是的,BeginReceive
可以用于 UDP 通信。在 C# 中,您可以使用 UdpClient
类来处理 UDP 通信。BeginReceive
方法允许您在异步模式下接收数据,这对于处理大量数据或在高延迟的网络环境中非常有用。
以下是一个简单的示例,展示了如何使用 UdpClient
和 BeginReceive
进行 UDP 通信:
using System;
using System.Net;
using System.Net.Sockets;
using System.Text;
using System.Threading.Tasks;
class UdpCommunication
{
private const int Port = 12345;
private const string ServerIp = "127.0.0.1";
private UdpClient udpClient;
public UdpCommunication()
{
udpClient = new UdpClient(Port);
}
public void StartListening()
{
Task.Run(() =>
{
while (true)
{
IPEndPoint remoteEndPoint = null;
byte[] bytesReceived = udpClient.Receive(ref remoteEndPoint);
string receivedData = Encoding.UTF8.GetString(bytesReceived);
Console.WriteLine($"Received message from {remoteEndPoint}: {receivedData}");
}
});
}
public void Send(string message)
{
udpClient.Send(Encoding.UTF8.GetBytes(message), message.Length, ServerIp, Port);
}
}
class Program
{
static void Main(string[] args)
{
UdpCommunication udpCommunication = new UdpCommunication();
udpCommunication.StartListening();
Console.WriteLine("Press any key to send a message...");
Console.ReadKey();
udpCommunication.Send("Hello, UDP!");
Console.WriteLine("Message sent.");
Console.ReadKey();
}
}
在这个示例中,我们创建了一个 UdpCommunication
类,它使用 UdpClient
类来发送和接收 UDP 数据包。StartListening
方法在一个单独的任务中运行,以便在后台持续监听数据包。当接收到数据包时,它会打印出发送方的 IP 地址和接收到的消息。