3

我编写了一个 TCP 服务器来使用 BeginAccept/EndAccept 模式。有了这个,我使用 TcpClient 编写了一个简单的 UnitTest,并测量了每个部分。所有测试都是本地主机,所以我很惊讶地看到 TCP 连接始终需要 1 秒。我已经设置了Socket.NoDelay = true虽然我相信这只会影响发送/接收。我没有收到第一个数据包。任何有关加快速度的帮助或想法都将受到赞赏。

注意:我无法更改客户端以保持连接打开,并且如果可能的话,我需要能够每秒处理大量请求。

服务器端:

public void Start()
{
    System.Net.IPHostEntry localhost = System.Net.Dns.GetHostEntry(System.Net.Dns.GetHostName());
    System.Net.IPEndPoint endpoint;
    int port = Properties.Settings.Default.ListenPort;

    //
    // Setup the connection to listen on the first IP, and specified port
    //
    endpoint = new IPEndPoint(IPAddress.Any, port);
    listenSocket = new Socket(endpoint.Address.AddressFamily, SocketType.Stream, ProtocolType.Tcp);
    listenSocket.Bind(endpoint);
    listenSocket.NoDelay = true; // do not wait 200 milliseconds for new data to be buffered on the connection
    listenSocket.Listen(int.MaxValue);
    Console.WriteLine("Listening on {0}:{1}", localhost.AddressList[0], port);

    //
    // Post the accept. The accept method will continuously post a new accept as soon as a connection is made
    //
    while (true)
    {
        accepted.Reset();
        Connection connection = connections.Pop();
        listenSocket.BeginAccept(AcceptCallback, connection);
        accepted.WaitOne();
    }
}

private static void AcceptCallback(IAsyncResult ar)
{
    accepted.Set();

    Connection connection = ar.AsyncState as Connection;
    Socket remoteSocket = null;

    try
    {
        remoteSocket = listenSocket.EndAccept(ar);
        remoteSocket.NoDelay = true;                
        connection.RemoteSocket = remoteSocket;

        //
        // Start the Receive cycle
        //
        Receive(connection);             
    }
    catch (SocketException)
    {
        Disconnect(connection);
    }           
}

简单测试客户端:

[TestMethod()]
public void ClientTest()
{
    TestContext.BeginTimer("Connection");
    TcpClient client = new TcpClient("localhost", 10300);
    NetworkStream stream = client.GetStream();
    TestContext.EndTimer("Connection");
    ...

使用 LoadTest 我加载了 25 个用户,并且事务“连接”总是需要 1 秒以上。

4

2 回答 2

4

不知道为什么,但只是改变这个:

TestContext.BeginTimer("Connection");          
TcpClient client = new TcpClient("localhost", 10300);            
TestContext.EndTimer("Connection");

对此:

TestContext.BeginTimer("Connection");
TcpClient client = new TcpClient();
client.Connect("localhost", 10300);       
TestContext.EndTimer("Connection");

将时间从 1 秒降至 0.13 秒。将不得不调查原因,但希望这将在未来帮助某人。

于 2012-04-27T15:56:41.753 回答
3

当您尝试在解析为 Ipv6 和 Ipv4 地址的主机上使用 TcpClient 构造函数进行连接时,首先尝试使用 Ipv6 进行连接。如果失败,它会尝试使用 IPv6 地址进行连接。这是 1 秒延迟的原因。这是 MSDN 链接

于 2012-08-14T17:40:28.213 回答