Netty Client在发送到多个服务器时请求超时

时间:2018-03-07 03:34:50

标签: java netty future

首先,我将解释背景:
我已经实现了Netty Framework并且有一个客户端向超过44个服务器发送HTTP请求。服务器正在响应该请求 在我的客户端,我通过覆盖channelActive函数并从channelRead0函数读取响应并将所有响应存储在数据结构中来发送请求。
因为,发送HTTP请求并从44个服务器获取响应需要时间。我正在使用超时值,结构如下所示:

      for (final InetAddress target : remoteIPAddresses.values()) {
            httpClient.connect(target);
        }
        // wait for the timeout. Hoping client send request to all
        // the targets and get response.
        Uninterruptibles.sleepUninterruptibly(timeout, TimeUnit.MILLISECONDS);
        httpClient.stop();
        fetchResults();

fetchResults从channelRead0中提到的数据结构中获取结果  connect方法包含netty实现,如下所示:

 public void connect(final InetAddress remoteAddress){
        new Bootstrap()
            .option(ChannelOption.CONNECT_TIMEOUT_MILLIS, connectionTimeout)
            .option(ChannelOption.ALLOCATOR, PooledByteBufAllocator.DEFAULT)
            .group(eventLoopGroup)
            .channel(NioSocketChannel.class)
            .handler(httpNettyClientChannelInitializer)
            .connect(remoteAddress, serverPort)
            .addListener(new ChannelFutureListener() {
                    @Override
                    public void operationComplete(ChannelFuture future) {
                        future.cancel(!future.isSuccess());
                    }
                });
    }  

Netty中使用的参数

connectionTimeout = 100ms  
Timeout value = 400ms    
Eventloop = 1 (Tried with 2 , 5 and 10) 

问题
在44个目标中,我正在为多个目标获得超时。目标每次都在变化。使用线程睡眠不是一个好习惯,我无法找出任何其他方法来完成任务。 有一个更好的方法吗?我已经看过this视频了。我被封锁了。任何领导都会非常有帮助。

1 个答案:

答案 0 :(得分:1)

您可以使用CountDownLatch而不是睡觉并希望您拥有所有必需的回复。将此锁存器传递给您的处理程序,每当响应到达时(channelRead0),它将对其进行计数。然后,您的主线程可以使用await()

等待全局超时的所有响应

您的处理程序可能如下所示:

@ChannelHandler.Sharable
public class HttpResponseHandler extends SimpleChannelInboundHandler<HttpObject> {

    final CountDownLatch responseLatch;

    public HttpResponseHandler(CountDownLatch responseLatch) {
        this.responseLatch = responseLatch;
    }

    @Override
    protected void channelRead0(ChannelHandlerContext ctx, HttpObject msg) throws Exception {
        ....
        responseLatch.countDown();
    }
}

在主线程中:

        CountDownLatch responseLatch = new CountDownLatch(remoteIpAddresses.size());
        HttpResponseHandler handler = new HttpResponseHandler(responseLatch);
        // your for loop to connect to servers here
        responseLatch.await(timeout, TimeUnit.MILLISECONDS);

我没有考虑处理程序中的错误条件(套接字连接/读取超时,无效响应等),因此请务必处理这些错误。