在C#中,使用Socket连接时,可以通过设置ReceiveTimeout
和SendTimeout
属性来控制连接超时。这两个属性分别表示接收和发送操作的超时时间,单位为毫秒。
以下是一个示例,展示了如何设置Socket连接的超时时间:
using System;
using System.Net;
using System.Net.Sockets;
class Program
{
static void Main(string[] args)
{
// 创建一个Socket对象
Socket socket = new Socket(AddressFamily.InterNetwork, SocketType.Stream, ProtocolType.Tcp);
// 设置接收超时时间(单位:毫秒)
socket.ReceiveTimeout = 5000;
// 设置发送超时时间(单位:毫秒)
socket.SendTimeout = 5000;
try
{
// 连接到远程服务器
IPAddress ipAddress = IPAddress.Parse("127.0.0.1");
int port = 8080;
IPEndPoint remoteEndPoint = new IPEndPoint(ipAddress, port);
socket.Connect(remoteEndPoint);
Console.WriteLine("Connected to server.");
// 接收数据
byte[] buffer = new byte[1024];
int receivedBytes = socket.Receive(buffer);
string receivedData = Encoding.ASCII.GetString(buffer, 0, receivedBytes);
Console.WriteLine("Received data: " + receivedData);
// 发送数据
string message = "Hello, server!";
byte[] sendBuffer = Encoding.ASCII.GetBytes(message);
socket.Send(sendBuffer);
Console.WriteLine("Message sent.");
}
catch (SocketException ex)
{
if (ex.SocketErrorCode == SocketError.TimedOut)
{
Console.WriteLine("Connection timed out.");
}
else
{
Console.WriteLine("An error occurred: " + ex.Message);
}
}
finally
{
// 关闭Socket连接
socket.Shutdown(SocketShutdown.Both);
socket.Close();
}
}
}
在这个示例中,我们创建了一个Socket对象,并设置了接收和发送操作的超时时间。然后,我们尝试连接到远程服务器,并接收或发送数据。如果在指定的超时时间内无法完成这些操作,将抛出一个SocketException
异常,我们可以捕获该异常并处理超时情况。