我使用以下代码来实现此目标:
public static bool IsServerListening()
{
var endpoint = new IPEndPoint(IPAddress.Parse("201.212.1.167"), 2593);
var socket = new Socket(AddressFamily.InterNetwork, SocketType.Stream, ProtocolType.Tcp);
try
{
socket.Connect(endpoint, TimeSpan.FromSeconds(5));
return true;
}
catch (SocketException exception)
{
if (exception.SocketErrorCode == SocketError.TimedOut)
{
Logging.Log.Warn("Timeout while connecting to UO server game port.", exception);
}
else
{
Logging.Log.Error("Exception while connecting to UO server game port.", exception);
}
return false;
}
catch (Exception exception)
{
Logging.Log.Error("Exception while connecting to UO server game port.", exception);
return false;
}
finally
{
socket.Close();
}
}
这是我对
Socket
类的扩展方法:public static class SocketExtensions
{
public const int CONNECTION_TIMEOUT_ERROR = 10060;
/// <summary>
/// Connects the specified socket.
/// </summary>
/// <param name="socket">The socket.</param>
/// <param name="endpoint">The IP endpoint.</param>
/// <param name="timeout">The connection timeout interval.</param>
public static void Connect(this Socket socket, EndPoint endpoint, TimeSpan timeout)
{
var result = socket.BeginConnect(endpoint, null, null);
bool success = result.AsyncWaitHandle.WaitOne(timeout, true);
if (!success)
{
socket.Close();
throw new SocketException(CONNECTION_TIMEOUT_ERROR); // Connection timed out.
}
}
}
问题是这段代码可以在我的开发环境上工作,但是当我将其移入生产环境时,它总是会超时(无论我将超时间隔设置为5还是20秒)
还有其他方法可以检查IP是否正在该特定端口上进行监听吗?
为什么无法从托管环境执行此操作的原因是什么?
最佳答案
您可以从命令行运行netstat -na
来查看所有(包括监听)端口。
如果添加-b
,您还将看到每个连接/监听的链接可执行文件。
在.NET中,您可以使用 System.Net.NetworkInformation.IPGlobalProperties.GetIPGlobalProperties().GetActiveTcpListeners()
获得所有监听连接
关于c# - C#检查端口是否正在积极监听?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/7373537/