Warning: file_get_contents(/data/phpspider/zhask/data//catemap/8/vim/5.json): failed to open stream: No such file or directory in /data/phpspider/zhask/libs/function.php on line 167

Warning: Invalid argument supplied for foreach() in /data/phpspider/zhask/libs/tag.function.php on line 1116

Notice: Undefined index: in /data/phpspider/zhask/libs/function.php on line 180

Warning: array_chunk() expects parameter 1 to be array, null given in /data/phpspider/zhask/libs/function.php on line 181
Netty 当请求写入代理网络服务器的outboundChannel时,如何在samehandler中通过TEBUF获得响应_Netty - Fatal编程技术网

Netty 当请求写入代理网络服务器的outboundChannel时,如何在samehandler中通过TEBUF获得响应

Netty 当请求写入代理网络服务器的outboundChannel时,如何在samehandler中通过TEBUF获得响应,netty,Netty,我正在实现netty代理服务器,如下所示: 一个http请求进入 如果本地缓存有数据,则写入通道并刷新 如果不是,则从远程服务器获取数据,将其添加到缓存并刷新 我很难从samehandler中的响应中提取byteBuf,就像我给客户写信时一样 在下面的示例中,如果看到hextdumpproxyfrontendhandler的channelRead方法,您将看到如何从缓存中提取和写入。我在下面的方法中添加了我面临困难的注释 这段代码可以端到端地工作。因此,它可以在本地复制和测试 我可以在hex

我正在实现netty代理服务器,如下所示: 一个http请求进入

  • 如果本地缓存有数据,则写入通道并刷新
  • 如果不是,则从远程服务器获取数据,将其添加到缓存并刷新
我很难从samehandler中的响应中提取byteBuf,就像我给客户写信时一样

在下面的示例中,如果看到
hextdumpproxyfrontendhandler
channelRead
方法,您将看到如何从缓存中提取和写入。我在下面的方法中添加了我面临困难的注释

这段代码可以端到端地工作。因此,它可以在本地复制和测试

我可以在
hextdumpproxybackendhandler#channelRead
中看到
FullHttpResponse
对象。但是在这个方法中,我没有对缓存的引用,也没有我想在缓存中添加的id

我认为有两种方法可以解决这个问题,但我不清楚如何解决

1) 要么在HexdumpProxyBackendHandler中获取缓存引用和id,然后就变得容易了。但是,
HexDumpFrontendHandler
channelActive
中实例化了
hexDumpBackendhander
,此时我还没有解析传入的请求

2) 在
hextDumpFrontEndHandler#dchannelRead
中提取响应bytebuf,在这种情况下,它只是缓存插入

hextumpproxy.java

public final class HexDumpProxy {

static final int LOCAL_PORT = Integer.parseInt(System.getProperty("localPort", "8082"));
static final String REMOTE_HOST = System.getProperty("remoteHost", "api.icndb.com");
static final int REMOTE_PORT = Integer.parseInt(System.getProperty("remotePort", "80"));
static Map<Long,String> localCache = new HashMap<>();
public static void main(String[] args) throws Exception {
    System.err.println("Proxying *:" + LOCAL_PORT + " to " + REMOTE_HOST + ':' + REMOTE_PORT + " ...");
    localCache.put(123L, "profile1");
    localCache.put(234L, "profile2");
    // Configure the bootstrap.
    EventLoopGroup bossGroup = new NioEventLoopGroup(1);
    EventLoopGroup workerGroup = new NioEventLoopGroup();
    try {
        ServerBootstrap b = new ServerBootstrap();
        b.group(bossGroup, workerGroup)
         .channel(NioServerSocketChannel.class)
         .handler(new LoggingHandler(LogLevel.INFO))
         .childHandler(new HexDumpProxyInitializer(localCache, REMOTE_HOST, REMOTE_PORT))
         .childOption(ChannelOption.AUTO_READ, false)
         .bind(LOCAL_PORT).sync().channel().closeFuture().sync();
    } finally {
        bossGroup.shutdownGracefully();
        workerGroup.shutdownGracefully();
    }
}
public class HexDumpProxyInitializer extends ChannelInitializer<SocketChannel> {

private final String remoteHost;
private final int remotePort;
private Map<Long, String> cache;

public HexDumpProxyInitializer(Map<Long,String> cache, String remoteHost, int remotePort) {
    this.remoteHost = remoteHost;
    this.remotePort = remotePort;
    this.cache=cache;
}

@Override
public void initChannel(SocketChannel ch) {
    ch.pipeline().addLast(
            new LoggingHandler(LogLevel.INFO),
            new HttpServerCodec(),
            new HttpObjectAggregator(8*1024, true),
            new HexDumpProxyFrontendHandler(cache, remoteHost, remotePort));
}
 public class HexDumpProxyFrontendHandler extends ChannelInboundHandlerAdapter {
private final String remoteHost;
private final int remotePort;
private Channel outboundChannel;
private Map<Long, String> cache;

public HexDumpProxyFrontendHandler(Map<Long, String> cache, String remoteHost, int remotePort) {
    this.remoteHost = remoteHost;
    this.remotePort = remotePort;
    this.cache = cache;
}

@Override
public void channelActive(ChannelHandlerContext ctx) {
    final Channel inboundChannel = ctx.channel();

    // Start the connection attempt.
    Bootstrap b = new Bootstrap();
    b.group(inboundChannel.eventLoop())
     .channel(ctx.channel().getClass())
     .handler((new ChannelInitializer() {
         protected void initChannel(Channel ch) {
             ChannelPipeline var2 = ch.pipeline();
             var2.addLast((new HttpClientCodec()));
             var2.addLast(new HttpObjectAggregator(8192, true));
             var2.addLast(new HexDumpProxyBackendHandler(inboundChannel));
         }
     }))
     .option(ChannelOption.AUTO_READ, false);
    ChannelFuture f = b.connect(remoteHost, remotePort);
    outboundChannel = f.channel();
    f.addListener(new ChannelFutureListener() {
        @Override
        public void operationComplete(ChannelFuture future) {
            if (future.isSuccess()) {
                // connection complete start to read first data
                inboundChannel.read();
            } else {
                // Close the connection if the connection attempt has failed.
                inboundChannel.close();
            }
        }
    });
}

@Override
public void channelRead(final ChannelHandlerContext ctx, Object msg) {
    if (msg instanceof HttpRequest) {
        System.out.println("msg is instanceof httpRequest");
        HttpRequest req = (HttpRequest)msg;
        QueryStringDecoder queryStringDecoder = new QueryStringDecoder(req.uri());
        String userId = queryStringDecoder.parameters().get("id").get(0);
        Long id = Long.valueOf(userId);
        if (cache.containsKey(id)){
            StringBuilder buf = new StringBuilder();
            buf.append(cache.get(id));
            writeResponse(req, ctx, buf);
            closeOnFlush(ctx.channel());
            return;
        }
    }
    if (outboundChannel.isActive()) {
        outboundChannel.writeAndFlush(msg).addListener(new ChannelFutureListener() {
            @Override
            public void operationComplete(ChannelFuture future) {
                if (future.isSuccess()) {
                    // was able to flush out data, start to read the next chunk
                    ctx.channel().read();
                } else {
                    future.channel().close();
                }
            }
        });
    }

    //get response back from HexDumpProxyBackendHander and write to cache
    //basically I need to do cache.put(id, parse(response));
    //how to get response buf from inboundChannel here is the question I am trying to solve
}

@Override
public void channelInactive(ChannelHandlerContext ctx) {
    if (outboundChannel != null) {
        closeOnFlush(outboundChannel);
    }

}

@Override
public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) {
    cause.printStackTrace();
    closeOnFlush(ctx.channel());
}

/**
 * Closes the specified channel after all queued write requests are flushed.
 */
static void closeOnFlush(Channel ch) {
    if (ch.isActive()) {
        ch.writeAndFlush(Unpooled.EMPTY_BUFFER).addListener(ChannelFutureListener.CLOSE);
    }
}

//borrowed from HttpSnoopServerHandler.java in snoop example
private boolean writeResponse(HttpRequest request, ChannelHandlerContext ctx, StringBuilder buf) {
    // Decide whether to close the connection or not.
    boolean keepAlive = HttpUtil.isKeepAlive(request);
    // Build the response object.
    FullHttpResponse response = new DefaultFullHttpResponse(
            HTTP_1_1, request.decoderResult().isSuccess()? OK : BAD_REQUEST,
            Unpooled.copiedBuffer(buf.toString(), CharsetUtil.UTF_8));

    response.headers().set(HttpHeaderNames.CONTENT_TYPE, "text/plain; charset=UTF-8");

    if (keepAlive) {
        // Add 'Content-Length' header only for a keep-alive connection.
        response.headers().setInt(HttpHeaderNames.CONTENT_LENGTH, response.content().readableBytes());
        // Add keep alive header as per:
        // - http://www.w3.org/Protocols/HTTP/1.1/draft-ietf-http-v11-spec-01.html#Connection
        response.headers().set(HttpHeaderNames.CONNECTION, HttpHeaderValues.KEEP_ALIVE);
    }

    // Encode the cookie.
    String cookieString = request.headers().get(HttpHeaderNames.COOKIE);
    if (cookieString != null) {
        Set<Cookie> cookies = ServerCookieDecoder.STRICT.decode(cookieString);
        if (!cookies.isEmpty()) {
            // Reset the cookies if necessary.
            for (io.netty.handler.codec.http.cookie.Cookie cookie: cookies) {
                response.headers().add(HttpHeaderNames.SET_COOKIE, io.netty.handler.codec.http.cookie.ServerCookieEncoder.STRICT.encode(cookie));
            }
        }
    } else {
        // Browser sent no cookie.  Add some.
        response.headers().add(HttpHeaderNames.SET_COOKIE, io.netty.handler.codec.http.cookie.ServerCookieEncoder.STRICT.encode("key1", "value1"));
        response.headers().add(HttpHeaderNames.SET_COOKIE, ServerCookieEncoder.STRICT.encode("key2", "value2"));
    }

    // Write the response.
    ctx.write(response);

    return keepAlive;
}
public class HexDumpProxyBackendHandler extends ChannelInboundHandlerAdapter {

private final Channel inboundChannel;

public HexDumpProxyBackendHandler(Channel inboundChannel) {
    this.inboundChannel = inboundChannel;
}

@Override
public void channelActive(ChannelHandlerContext ctx) {
    ctx.read();
}

@Override
public void channelRead(final ChannelHandlerContext ctx, Object msg) {
    if (msg instanceof FullHttpResponse) {
        System.out.println("this is fullHttpResponse");
    }
    inboundChannel.writeAndFlush(msg).addListener(new ChannelFutureListener() {
        @Override
        public void operationComplete(ChannelFuture future) {
            if (future.isSuccess()) {
                ctx.channel().read();
            } else {
                future.channel().close();
            }
        }
    });
}

@Override
public void channelInactive(ChannelHandlerContext ctx) {
    HexDumpProxyFrontendHandler.closeOnFlush(inboundChannel);
}

@Override
public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) {
    cause.printStackTrace();
    HexDumpProxyFrontendHandler.closeOnFlush(ctx.channel());
}
}

附言:我从项目中获取了大部分代码并对其进行了定制

编辑

根据Ferrygig的建议,我将前端ChannelHander#channel改为如下。我已删除channelActive并已实现写入方法

@凌驾 公共无效channelRead(最终ChannelHandlerContext ctx,对象消息){

风暴

我可能错了,当我阅读您的
hextumpproxyfrontendhandler
的这一部分时,我觉得有些地方可能不正确(我根据正确的风格将我的注释稍微放在前面,以使它们可见):

对我来说,你似乎没有等待通道被打开。当你发送到wire时,你缺少一些日志,以确保你真的发送了一些东西(在日志中,我们只能看到连接被打开,然后主要是关闭,中间没有任何东西)


也许更多的日志可以帮助我们和你?

解决这个问题的方法有很多种,而实现最终目标的方法也各不相同

目前,您使用的拓扑结构是1个入站连接1个出站连接,这使得系统设计稍微容易一些,因为您不必担心将多个请求同步到同一个出站流

目前,您的前端处理程序扩展了ChannelInboundHandlerAdapter,这只会拦截进入应用程序的“数据包”,如果我们使其扩展,我们还可以处理从应用程序中传出的“数据包”

为了接近这个路径,我们需要更新要扩展的
hextdumpproxyfrontendhandler
类(现在我们称之为CDH)

该过程的下一步是重写来自的方法,以便我们可以在后端向我们发送响应时进行拦截

创建write方法后,我们需要通过调用
put
方法来更新(非线程安全)映射

public class HexDumpProxyFrontendHandler extends ChannelDuplexHandler {
    Long lastId;
    // ...
    @Override
    public void channelRead(final ChannelHandlerContext ctx, Object msg) {
        if (msg instanceof HttpRequest) {
            System.out.println("msg is instanceof httpRequest");
            HttpRequest req = (HttpRequest)msg;
            QueryStringDecoder queryStringDecoder = new QueryStringDecoder(req.uri());
            String userId = queryStringDecoder.parameters().get("id").get(0);
            Long id = Long.valueOf(userId);
            lastId = id; // Store ID of last request
            // ...
        }
        // ...
    }
    // ...
    public void write(
        ChannelHandlerContext ctx,
        java.lang.Object msg,
        ChannelPromise promise
    ) throws java.lang.Exception {

        if (msg instanceof FullHttpResponse) {
            System.out.println("this is fullHttpResponse");
            FullHttpResponse full = (FullHttpResponse)msg;
            cache.put(lastId, parse(full)); // TODO: Include a system here to convert the request to a string
        }
        super.write(ctx, msg, promise);
    }
    // ...
}
我们在这里还没有完成,虽然我们已经准备好了代码,但是我们仍然需要修复代码中其他地方的一些bug

非线程安全映射(严重错误)

其中一个错误是,您正在使用普通的哈希映射来处理缓存。问题是,这不是线程安全的,如果多人同时连接到您的应用程序,可能会发生奇怪的事情,包括在映射的内部结构更新时完全映射损坏

为了解决这个问题,我们将把映射“升级”到,这个映射有特殊的结构,可以处理多个线程同时请求和存储数据,而不会造成性能上的巨大损失。(如果性能是一个主要问题,那么通过使用每线程哈希映射而不是全局缓存,您可能会获得更高的性能,但这意味着每个资源都可以缓存到线程数

无缓存删除规则(主要错误)

目前,还没有删除过时资源的代码,这意味着缓存将被填满,直到程序没有剩余内存,然后它将惊人地崩溃

这可以通过使用既提供线程安全访问又提供所谓删除规则的映射实现来解决,也可以使用预先制作好的缓存解决方案,如

无法正确处理HTTP管道(小错误和大错误)

HTTP的一个鲜为人知的特性是,这基本上意味着客户端可以向服务器发送另一个请求,而无需等待前一个请求的响应。这种类型的错误包括服务器交换两个请求的内容,甚至完全破坏它们

随着越来越多的HTTP2支持和对服务器故障的了解,现在很少有管道请求,但使用它的某些CLI工具仍然会出现这种情况


若要解决此问题,请在发送上一个响应后读取请求,方法之一是保留请求列表,或选择更高级的

此代码大部分来自netty示例repo。我只需要一些小的更改。我已就此打开了bounty。我正在寻找解决此问题的有效方法,因为它将被使用对于更广泛的听众来说,这是一个有点混合的回购例子。可能不同的位置不是正确的,正如我建议的那样?它是在
channelRead
覆盖方法中,就像你的方法一样。但是
outboundChannel
的打开是在
通道中
 // Not incorrect but better to have only one bootstrap and reusing it
    Bootstrap b = new Bootstrap(); 
    b.group(inboundChannel.eventLoop())
            .channel(ctx.channel().getClass())
            .handler(new HexDumpProxyBackendHandler(inboundChannel))
 // I know what AUTO_READ false is, but my question is why you need it?
            .option(ChannelOption.AUTO_READ, false);
    ChannelFuture f = b.connect(remoteHost, remotePort);
 // Strange to me to try to get the channel while you did not test yet it is linked
    outboundChannel = f.channel();
    f.addListener(new ChannelFutureListener() {
        @Override
        public void operationComplete(ChannelFuture future) {
            if (future.isSuccess()) {
 // Maybe you should start to send there, therefore getting the outboundChannel right there?
 // add a log in order to see if you come there
 // probably you have to send first, before asking to read anything?
 // position (1)
                inboundChannel.read();
            } else {
                inboundChannel.close();
            }
        }
    });
 // I suggest to move this in position named (1)
    if (outboundChannel.isActive()) {
 // maybe a log to see if anything will be written?
        outboundChannel.writeAndFlush(msg).addListener(new ChannelFutureListener() {
            @Override
            public void operationComplete(ChannelFuture future) {
                if (future.isSuccess()) {
                    System.out.println("success!! - FrontEndHandler");
                    ctx.channel().read();
                } else {
                    future.channel().close();
                }
            }
        });
    }
public class HexDumpProxyFrontendHandler extends ChannelDuplexHandler {
    Long lastId;
    // ...
    @Override
    public void channelRead(final ChannelHandlerContext ctx, Object msg) {
        if (msg instanceof HttpRequest) {
            System.out.println("msg is instanceof httpRequest");
            HttpRequest req = (HttpRequest)msg;
            QueryStringDecoder queryStringDecoder = new QueryStringDecoder(req.uri());
            String userId = queryStringDecoder.parameters().get("id").get(0);
            Long id = Long.valueOf(userId);
            lastId = id; // Store ID of last request
            // ...
        }
        // ...
    }
    // ...
    public void write(
        ChannelHandlerContext ctx,
        java.lang.Object msg,
        ChannelPromise promise
    ) throws java.lang.Exception {

        if (msg instanceof FullHttpResponse) {
            System.out.println("this is fullHttpResponse");
            FullHttpResponse full = (FullHttpResponse)msg;
            cache.put(lastId, parse(full)); // TODO: Include a system here to convert the request to a string
        }
        super.write(ctx, msg, promise);
    }
    // ...
}