我正在尝试编写一个集成测试来证明如果连接到服务器的尝试太慢,TCP 客户端将正确超时。我有一个FakeServer
类打开一个Socket
并监听传入的连接:
public sealed class FakeServer : IDisposable
{
...
public TimeSpan ConnectDelay
{
get; set;
}
public void Start()
{
this.CreateSocket();
this.socket.Listen(int.MaxValue);
this.socket.BeginAccept(this.OnSocketAccepted, null);
}
private void CreateSocket()
{
var ip = new IPAddress(new byte[] { 0, 0, 0, 0 });
var endPoint = new IPEndPoint(ip, Port);
this.socket = new Socket(AddressFamily.InterNetwork, SocketType.Stream, ProtocolType.Tcp);
this.socket.Bind(endPoint);
}
private void OnSocketAccepted(IAsyncResult asyncResult)
{
Thread.Sleep(this.connectDelay);
this.clientSocket = this.socket.EndAccept(asyncResult);
}
}
请注意我尝试通过调用来延迟连接成功Thread.Sleep()
。不幸的是,这不起作用:
[Fact]
public void tcp_client_test()
{
this.fakeServer.ConnectDelay = TimeSpan.FromSeconds(20);
var tcpClient = new TcpClient();
tcpClient.Connect("localhost", FakeServer.Port);
}
在上面的测试中,调用tcpClient.Connect()
立即成功,甚至在调用服务器端OnSocketAccepted
方法之前。我查看了 API,但看不到任何明显的方法可以注入一些必须在客户端连接建立之前完成的服务器端逻辑。
有什么方法可以让我使用TcpClient
and来伪造慢速服务器/连接Socket
吗?