当前位置: 首页 > news >正文

国家基础设施建设网站网页设计培训的课程培训价格

国家基础设施建设网站,网页设计培训的课程培训价格,帮别做网站,济南最好的网站制作公司highlight: arduino-light Netty内置的解码器 在前两节课我们介绍了 TCP 拆包/粘包的问题#xff0c;以及如何使用 Netty 实现自定义协议的编解码。可以看到#xff0c;网络通信的底层实现#xff0c;Netty 都已经帮我们封装好了#xff0c;我们只需要扩展 ChannelHandler … highlight: arduino-light Netty内置的解码器 在前两节课我们介绍了 TCP 拆包/粘包的问题以及如何使用 Netty 实现自定义协议的编解码。可以看到网络通信的底层实现Netty 都已经帮我们封装好了我们只需要扩展 ChannelHandler 实现自定义的编解码逻辑即可。 更加人性化的是Netty 提供了很多开箱即用的解码器这些解码器基本覆盖了 TCP 拆包/粘包的通用解决方案。本节课我们将对 Netty 常用的解码器进行讲解一起探索下它们有哪些用法和技巧。 在本节课开始之前我们首先回顾一下 TCP 拆包/粘包的主流解决方案。并梳理出 Netty 对应的编码器类。 定长:FixedLengthFrameDecoder 固定长度解码器 FixedLengthFrameDecoder 非常简单直接通过构造函数设置固定长度的大小 frameLength无论接收方一次获取多大的数据都会严格按照 frameLength 进行解码。如果累积读取到长度大小为 frameLength 的消息那么解码器认为已经获取到了一个完整的消息。如果消息长度小于 frameLengthFixedLengthFrameDecoder 解码器会一直等后续数据包的到达直至获得完整的消息。下面我们通过一个例子感受一下使用 Netty 实现固定长度解码是多么简单。 java package io.netty.example.decode; ​ import io.netty.bootstrap.ServerBootstrap; import io.netty.buffer.ByteBuf; import io.netty.buffer.PooledByteBufAllocator; import io.netty.buffer.UnpooledByteBufAllocator; import io.netty.channel.*; import io.netty.channel.nio.NioEventLoopGroup; import io.netty.channel.socket.SocketChannel; import io.netty.channel.socket.nio.NioChannelOption; import io.netty.channel.socket.nio.NioServerSocketChannel; import io.netty.handler.codec.FixedLengthFrameDecoder; import io.netty.handler.logging.LogLevel; import io.netty.handler.logging.LoggingHandler; import io.netty.util.CharsetUtil; ​ /** * Echoes back any received data from a client. */ public final class EchoServer { ​    public static void main(String[] args) throws Exception { ​        EventLoopGroup workerGroup new NioEventLoopGroup();        EventLoopGroup bossGroup new NioEventLoopGroup();        final EchoServerHandler serverHandler new EchoServerHandler();        try {            ServerBootstrap b new ServerBootstrap(); ​            b.group(bossGroup,workerGroup)              //通过反射创建反射工厂类根据无参构造函数 反射生成实例              //将NioServerSocketChannel绑定到了bossGroup                    //NioServerSocketChannel接收到请求会创建SocketChannel放入workerGroup             .channel(NioServerSocketChannel.class) ​                    //指的是SocketChannel             .childOption(ChannelOption.SO_KEEPALIVE,true)                    //指的是SocketChannel             .childOption(NioChannelOption.SO_KEEPALIVE,Boolean.TRUE)                    //默認不使用堆外内存                   .childOption(ChannelOption.ALLOCATOR,PooledByteBufAllocator.DEFAULT)                    //false 不使用堆外内存                   .childOption(ChannelOption.ALLOCATOR,new UnpooledByteBufAllocator(false))          //   .handler(new LoggingHandler(LogLevel.INFO))             .childHandler(new ChannelInitializerSocketChannel() {                 Override                 public void initChannel(SocketChannel ch) throws Exception {                     ChannelPipeline p ch.pipeline();                    // p.addLast(new LoggingHandler(LogLevel.INFO));                     ch.pipeline().addLast(new FixedLengthFrameDecoder(10));                     p.addLast(serverHandler);                 }             }); ​            ChannelFuture f b.bind(8090).sync();            f.channel().closeFuture().sync();       } finally {            workerGroup.shutdownGracefully();       }   } } ​ ChannelHandler.Sharable class EchoServerHandler extends ChannelInboundHandlerAdapter {    Override    public void channelRead(ChannelHandlerContext ctx, Object msg) {        System.out.println(Receive client : [ ((ByteBuf) msg).toString(CharsetUtil.UTF_8) ]);   } } java package io.netty.example.decode; ​ import io.netty.bootstrap.Bootstrap; import io.netty.channel.*; import io.netty.channel.nio.NioEventLoopGroup; import io.netty.channel.socket.SocketChannel; import io.netty.channel.socket.nio.NioSocketChannel; import io.netty.handler.logging.LogLevel; import io.netty.handler.logging.LoggingHandler; ​ ​ public final class EchoClient { ​    public static void main(String[] args) throws Exception {        // Configure the client.        EventLoopGroup group new NioEventLoopGroup();        try {            Bootstrap b new Bootstrap();            b.group(group)             .channel(NioSocketChannel.class)             .option(ChannelOption.TCP_NODELAY, true)             .handler(new ChannelInitializerSocketChannel() {                 Override                 public void initChannel(SocketChannel ch) throws Exception {                     ChannelPipeline p ch.pipeline();                   // p.addLast(new LoggingHandler(LogLevel.INFO));                     p.addLast(new EchoClientHandler());                 }             }); ​            // Start the client.            ChannelFuture f b.connect(127.0.0.1, 8090).sync(); ​            // Wait until the connection is closed.            f.channel().closeFuture().sync();       } finally {            // Shut down the event loop to terminate all threads.            group.shutdownGracefully();       }   } } ​ java package io.netty.example.decode; ​ import io.netty.buffer.ByteBuf; import io.netty.buffer.Unpooled; import io.netty.channel.ChannelHandlerContext; import io.netty.channel.ChannelInboundHandlerAdapter; ​ import java.util.concurrent.TimeUnit; ​ /** * Handler implementation for the echo client. It initiates the ping-pong * traffic between the echo client and server by sending the first message to * the server. */ public class EchoClientHandler extends ChannelInboundHandlerAdapter { ​    private final ByteBuf firstMessage; ​    /**     * Creates a client-side handler.     */    //TODO 修改1234567890 看看10位数字 和 非10位数字的区别    public EchoClientHandler() {        firstMessage Unpooled.wrappedBuffer(1234567890.getBytes());   } ​    Override    public void channelActive(ChannelHandlerContext ctx) {        System.out.println(客户端发送消息 firstMessage.toString());        ctx.writeAndFlush(firstMessage);   } ​    Override    public void channelRead(ChannelHandlerContext ctx, Object msg) {       // ctx.write(msg);   } ​    Override    public void channelReadComplete(ChannelHandlerContext ctx) throws InterruptedException {        TimeUnit.SECONDS.sleep(3);        ctx.flush();   } ​    Override    public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) {       // cause.printStackTrace();        ctx.close();   } } ​ 在上述服务端的代码中使用了固定 10 字节的解码器并在解码之后通过 EchoServerHandler 打印结果。我们可以启动服务端通过 telnet 命令像服务端发送数据观察代码输出的结果。 java telnet localhost 8088 Trying ::1... Connected to localhost. Escape character is ^]. 1234567890123 456789012 按10个字节一组进行解析注意有个换行符 服务端输出 java Receive client : [1234567890] Receive client : [123 45678] 分隔:DelimiterBasedFrameDecoder java public class DelimiterBasedFrameDecoder extends ByteToMessageDecoder { ​    private final ByteBuf[] delimiters;    private final int maxFrameLength;    private final boolean stripDelimiter;    private final boolean failFast;    private boolean discardingTooLongFrame;    private int tooLongFrameLength;    /** Set only when decoding with \n and \r\n as the delimiter. */    private final LineBasedFrameDecoder lineBasedDecoder; ​    /**     * Creates a new instance.     *     * param maxFrameLength the maximum length of the decoded frame.     *                       A {link TooLongFrameException} is thrown if     *                       the length of the frame exceeds this value.     * param delimiter the delimiter     */    public DelimiterBasedFrameDecoder(int maxFrameLength, ByteBuf delimiter) {        this(maxFrameLength, true, delimiter);   } ​    /**     * Creates a new instance.     *     * param maxFrameLength the maximum length of the decoded frame.     *                       A {link TooLongFrameException} is thrown if     *                       the length of the frame exceeds this value.     * param stripDelimiter whether the decoded frame should strip out the     *                       delimiter or not     * param delimiter the delimiter     */    public DelimiterBasedFrameDecoder(            int maxFrameLength, boolean stripDelimiter, ByteBuf delimiter) {        this(maxFrameLength, stripDelimiter, true, delimiter);   } ​    /**     * Creates a new instance.     *     * param maxFrameLength the maximum length of the decoded frame.     *                       A {link TooLongFrameException} is thrown if     *                       the length of the frame exceeds this value.     * param stripDelimiter whether the decoded frame should strip out the     *                       delimiter or not     * param failFast If tttrue/tt, a {link TooLongFrameException} is     *                 thrown as soon as the decoder notices the length of the     *                 frame will exceed ttmaxFrameLength/tt regardless of     *                 whether the entire frame has been read.     *                 If ttfalse/tt, a {link TooLongFrameException} is     *                 thrown after the entire frame that exceeds     *                 ttmaxFrameLength/tt has been read.     * param delimiter the delimiter     */    public DelimiterBasedFrameDecoder(            int maxFrameLength, boolean stripDelimiter, boolean failFast,            ByteBuf delimiter) {        this(maxFrameLength, stripDelimiter, failFast, new ByteBuf[] {                delimiter.slice(delimiter.readerIndex(), delimiter.readableBytes())});   } ​    /**     * Creates a new instance.     *     * param maxFrameLength the maximum length of the decoded frame.     *                       A {link TooLongFrameException} is thrown if     *                       the length of the frame exceeds this value.     * param delimiters the delimiters     */    public DelimiterBasedFrameDecoder(int maxFrameLength, ByteBuf... delimiters) {        this(maxFrameLength, true, delimiters);   } ​    /**     * Creates a new instance.     *     * param maxFrameLength the maximum length of the decoded frame.     *                       A {link TooLongFrameException} is thrown if     *                       the length of the frame exceeds this value.     * param stripDelimiter whether the decoded frame should strip out the     *                       delimiter or not     * param delimiters the delimiters     */    public DelimiterBasedFrameDecoder(            int maxFrameLength, boolean stripDelimiter, ByteBuf... delimiters) {        this(maxFrameLength, stripDelimiter, true, delimiters);   } ​    /**     * Creates a new instance.     *     * param maxFrameLength the maximum length of the decoded frame.     *                       A {link TooLongFrameException} is thrown if     *                       the length of the frame exceeds this value.     * param stripDelimiter whether the decoded frame should strip out the     *                       delimiter or not     * param failFast If tttrue/tt, a {link TooLongFrameException} is     *                 thrown as soon as the decoder notices the length of the     *                 frame will exceed ttmaxFrameLength/tt regardless of     *                 whether the entire frame has been read.     *                 If ttfalse/tt, a {link TooLongFrameException} is     *                 thrown after the entire frame that exceeds     *                 ttmaxFrameLength/tt has been read.     * param delimiters the delimiters     */    public DelimiterBasedFrameDecoder(            int maxFrameLength, boolean stripDelimiter, boolean failFast, ByteBuf... delimiters) {        validateMaxFrameLength(maxFrameLength);        if (delimiters null) {            throw new NullPointerException(delimiters);       }        if (delimiters.length 0) {            throw new IllegalArgumentException(empty delimiters);       } ​        if (isLineBased(delimiters) !isSubclass()) {            lineBasedDecoder new LineBasedFrameDecoder(maxFrameLength, stripDelimiter, failFast);            this.delimiters null;       } else {            this.delimiters new ByteBuf[delimiters.length];            for (int i 0; i delimiters.length; i ) {                ByteBuf d delimiters[i];                validateDelimiter(d);                this.delimiters[i] d.slice(d.readerIndex(), d.readableBytes());           }            lineBasedDecoder null;       }        this.maxFrameLength maxFrameLength;        this.stripDelimiter stripDelimiter;        this.failFast failFast;   } ​    /** Returns true if the delimiters are \n and \r\n. */    private static boolean isLineBased(final ByteBuf[] delimiters) {        if (delimiters.length ! 2) {            return false;       }        ByteBuf a delimiters[0];        ByteBuf b delimiters[1];        if (a.capacity() b.capacity()) {            a delimiters[1];            b delimiters[0];       }        return a.capacity() 2 b.capacity() 1                 a.getByte(0) \r a.getByte(1) \n                 b.getByte(0) \n;   } ​    /**     * Return {code true} if the current instance is a subclass of DelimiterBasedFrameDecoder     */    private boolean isSubclass() {        return getClass() ! DelimiterBasedFrameDecoder.class;   } ​    Override    protected final void decode(ChannelHandlerContext ctx, ByteBuf in, ListObject out) throws Exception {        Object decoded decode(ctx, in);        if (decoded ! null) {            out.add(decoded);       }   } ​ ​    protected Object decode(ChannelHandlerContext ctx, ByteBuf buffer) throws Exception {        if (lineBasedDecoder ! null) {            return lineBasedDecoder.decode(ctx, buffer);       }        // Try all delimiters and choose the delimiter which yields the shortest frame.        int minFrameLength Integer.MAX_VALUE;        ByteBuf minDelim null;        for (ByteBuf delim: delimiters) {            int frameLength indexOf(buffer, delim);            if (frameLength 0 frameLength minFrameLength) {                minFrameLength frameLength;                minDelim delim;           }       } ​        if (minDelim ! null) {            int minDelimLength minDelim.capacity();            ByteBuf frame; ​            if (discardingTooLongFrame) {                // Weve just finished discarding a very large frame.                // Go back to the initial state.                discardingTooLongFrame false;                buffer.skipBytes(minFrameLength minDelimLength); ​                int tooLongFrameLength this.tooLongFrameLength;                this.tooLongFrameLength 0;                if (!failFast) {                    fail(tooLongFrameLength);               }                return null;           } ​            if (minFrameLength maxFrameLength) {                // Discard read frame.                buffer.skipBytes(minFrameLength minDelimLength);                fail(minFrameLength);                return null;           } ​            if (stripDelimiter) {                frame buffer.readRetainedSlice(minFrameLength);                buffer.skipBytes(minDelimLength);           } else {                frame buffer.readRetainedSlice(minFrameLength minDelimLength);           } ​            return frame;       } else {            if (!discardingTooLongFrame) {                if (buffer.readableBytes() maxFrameLength) {                    // Discard the content of the buffer until a delimiter is found.                    tooLongFrameLength buffer.readableBytes();                    buffer.skipBytes(buffer.readableBytes());                    discardingTooLongFrame true;                    if (failFast) {                        fail(tooLongFrameLength);                   }               }           } else {                // Still discarding the buffer since a delimiter is not found.                tooLongFrameLength buffer.readableBytes();                buffer.skipBytes(buffer.readableBytes());           }            return null;       }   } ​   } ​ 使用特殊分隔符解码器 DelimiterBasedFrameDecoder 之前我们需要了解以下几个属性的作用。 delimiters delimiters 指定特殊分隔符通过写入 ByteBuf 作为参数传入。delimiters 的类型是 ByteBuf 数组所以我们可以同时指定多个分隔符但是最终会选择长度最短的分隔符进行消息拆分。 例如接收方收到的数据为 java -------------- | ABC\nDEF\r\n | -------------- 如果指定的多个分隔符为 \n 和 \r\nDelimiterBasedFrameDecoder 会退化成使用 LineBasedFrameDecoder 进行解析那么会解码出两个消息。 java ---------- | ABC | DEF | ---------- 如果指定的特定分隔符只有 \r\n那么只会解码出一个消息 java ---------- | ABC\nDEF | ---------- maxLength maxLength 是报文最大长度的限制。如果超过 maxLength 还没有检测到指定分隔符将会抛出 TooLongFrameException。可以说 maxLength 是对程序在极端情况下的一种保护措施。 failFast failFast 与 maxLength 需要搭配使用通过设置 failFast 可以控制抛出 TooLongFrameException 的时机可以说 Netty 在细节上考虑得面面俱到。如果 failFasttrue那么在超出 maxLength 会立即抛出 TooLongFrameException不再继续进行解码。如果 failFastfalse那么会等到解码出一个完整的消息后才会抛出 TooLongFrameException。 stripDelimiter stripDelimiter 的作用是判断解码后得到的消息是否去除分隔符。如果 stripDelimiterfalse特定分隔符为 \n那么上述数据包解码出的结果为 java ---------------- | ABC\n | DEF\r\n | ---------------- 下面我们还是结合代码示例学习 DelimiterBasedFrameDecoder 的用法依然以固定编码器小节中使用的代码为基础稍做改动引入特殊分隔符解码器 DelimiterBasedFrameDecoder java package io.netty.example.decode; ​ import io.netty.bootstrap.ServerBootstrap; import io.netty.buffer.ByteBuf; import io.netty.buffer.PooledByteBufAllocator; import io.netty.buffer.Unpooled; import io.netty.buffer.UnpooledByteBufAllocator; import io.netty.channel.*; import io.netty.channel.nio.NioEventLoopGroup; import io.netty.channel.socket.SocketChannel; import io.netty.channel.socket.nio.NioChannelOption; import io.netty.channel.socket.nio.NioServerSocketChannel; import io.netty.handler.codec.DelimiterBasedFrameDecoder; import io.netty.handler.codec.FixedLengthFrameDecoder; import io.netty.handler.logging.LogLevel; import io.netty.handler.logging.LoggingHandler; import io.netty.util.CharsetUtil; ​ /** * Echoes back any received data from a client. */ public final class EchoServer { ​    public static void main(String[] args) throws Exception { ​        EventLoopGroup workerGroup new NioEventLoopGroup();        EventLoopGroup bossGroup new NioEventLoopGroup();        final EchoServerHandler serverHandler new EchoServerHandler();        try {            ServerBootstrap b new ServerBootstrap(); ​            b.group(bossGroup, workerGroup)                    //通过反射创建反射工厂类根据无参构造函数 反射生成实例                    //将NioServerSocketChannel绑定到了bossGroup                    //NioServerSocketChannel接收到请求会创建SocketChannel放入workerGroup                   .channel(NioServerSocketChannel.class) ​                    //指的是SocketChannel                   .childOption(ChannelOption.SO_KEEPALIVE, true)                    //指的是SocketChannel                   .childOption(NioChannelOption.SO_KEEPALIVE, Boolean.TRUE)                    //默認不使用堆外内存                   .childOption(ChannelOption.ALLOCATOR, PooledByteBufAllocator.DEFAULT)                    //false 不使用堆外内存                   .childOption(ChannelOption.ALLOCATOR, new UnpooledByteBufAllocator(false))                    //   .handler(new LoggingHandler(LogLevel.INFO))                   .childHandler(new ChannelInitializerSocketChannel() {                        Override                        public void initChannel(SocketChannel ch) throws Exception {                            ChannelPipeline p ch.pipeline();                            // p.addLast(new LoggingHandler(LogLevel.INFO));                            ByteBuf delimiter Unpooled.copiedBuffer(.getBytes());                            ch.pipeline()                                    //最大長度 超出最大长度是否立即抛出异常 是否除去分隔符 特殊分隔符                                   .addLast(new DelimiterBasedFrameDecoder(10, true, true, delimiter));                            ch.pipeline()                                   .addLast(new EchoServerHandler());                       }                   }); ​            ChannelFuture f b.bind(8090).sync();            f.channel().closeFuture().sync();       } finally {            workerGroup.shutdownGracefully();       }   } } ​ ChannelHandler.Sharable class EchoServerHandler extends ChannelInboundHandlerAdapter {    Override    public void channelRead(ChannelHandlerContext ctx, Object msg) {        System.out.println(Receive client : [ ((ByteBuf) msg).toString(CharsetUtil.UTF_8) ]);   } } package io.netty.example.decode; ​ import io.netty.bootstrap.Bootstrap; import io.netty.channel.*; import io.netty.channel.nio.NioEventLoopGroup; import io.netty.channel.socket.SocketChannel; import io.netty.channel.socket.nio.NioSocketChannel; import io.netty.handler.logging.LogLevel; import io.netty.handler.logging.LoggingHandler; ​ ​ public final class EchoClient { ​    public static void main(String[] args) throws Exception {        // Configure the client.        EventLoopGroup group new NioEventLoopGroup();        try {            Bootstrap b new Bootstrap();            b.group(group)             .channel(NioSocketChannel.class)             .option(ChannelOption.TCP_NODELAY, true)             .handler(new ChannelInitializerSocketChannel() {                 Override                 public void initChannel(SocketChannel ch) throws Exception {                     ChannelPipeline p ch.pipeline();                   // p.addLast(new LoggingHandler(LogLevel.INFO));                     p.addLast(new EchoClientHandler());                 }             }); ​            // Start the client.            ChannelFuture f b.connect(127.0.0.1, 8090).sync(); ​            // Wait until the connection is closed.            f.channel().closeFuture().sync();       } finally {            // Shut down the event loop to terminate all threads.            group.shutdownGracefully();       }   } } ​ package io.netty.example.decode; ​ import io.netty.buffer.ByteBuf; import io.netty.buffer.Unpooled; import io.netty.channel.ChannelHandlerContext; import io.netty.channel.ChannelInboundHandlerAdapter; ​ import java.util.concurrent.TimeUnit; ​ /** * Handler implementation for the echo client. It initiates the ping-pong * traffic between the echo client and server by sending the first message to * the server. */ public class EchoClientHandler extends ChannelInboundHandlerAdapter { ​    private final ByteBuf firstMessage; ​    /**     * Creates a client-side handler.     */    //TODO 修改1234567890 看看10位数字 和 非10位数字的区别    public EchoClientHandler() {        firstMessage Unpooled.wrappedBuffer(1234567890.getBytes());   } ​    Override    public void channelActive(ChannelHandlerContext ctx) {        System.out.println(客户端发送消息 firstMessage.toString()); ​        ctx.writeAndFlush(firstMessage); ​   } ​    Override    public void channelRead(ChannelHandlerContext ctx, Object msg) {       // ctx.write(msg);   } ​    Override    public void channelReadComplete(ChannelHandlerContext ctx) throws InterruptedException {        TimeUnit.SECONDS.sleep(3);        ctx.flush();   } ​    Override    public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) {       // cause.printStackTrace();        ctx.close();   } } ​ 我们依然通过 telnet 模拟客户端发送数据观察代码输出的结果可以发现由于 maxLength 设置的只有 10所以在解析到第三个消息时抛出异常。 客户端输入 java telnet localhost 8088 ​ Trying ::1... ​ Connected to localhost. ​ Escape character is ^]. ​ helloworld1234567890ab ​ 服务端输出 java Receive client : [hello] Receive client : [world] 九月 25, 2020 8:46:01 下午 io.netty.channel.DefaultChannelPipeline onUnhandledInboundException 警告: An exceptionCaught() event was fired, and it reached at the tail of the pipeline. It usually means the last handler in the pipeline did not handle the exception. io.netty.handler.codec.TooLongFrameException: frame length exceeds 10: 13 - discarded at io.netty.handler.codec.DelimiterBasedFrameDecoder.fail(DelimiterBasedFrameDecoder.java:302) at io.netty.handler.codec.DelimiterBasedFrameDecoder.decode(DelimiterBasedFrameDecoder.java:268) at io.netty.handler.codec.DelimiterBasedFrameDecoder.decode(DelimiterBasedFrameDecoder.java:218) 长度域:LengthFieldBasedFrameDecoder 长度域解码器 LengthFieldBasedFrameDecoder 是解决 TCP 拆包/粘包问题最常用的解码器。 它基本上可以覆盖大部分基于长度拆包场景开源消息中间件 RocketMQ 就是使用 LengthFieldBasedFrameDecoder 进行解码的。LengthFieldBasedFrameDecoder 相比 FixedLengthFrameDecoder 和 DelimiterBasedFrameDecoder 要复杂一些接下来我们就一起学习下这个强大的解码器。 首先我们同样先了解 LengthFieldBasedFrameDecoder 中的几个重要属性这里我主要把它们分为两个部分长度域解码器特有属性以及与其他解码器(如特定分隔符解码器)的相似的属性。 长度域解码器特有属性 java // 长度字段的偏移量也就是存放长度字段的位置 // 如 长度字段是0 那么长度字段放在了最前面 即 数据包的起始位置 private final int lengthFieldOffset; ​ // 长度字段所占用的字节数 // 即长度字段占用数据包的字节数 private final int lengthFieldLength; ​ /* * 消息长度的修正值,即根据 legnth lengthAdjustment 内容真正的长度 * * 在很多较为复杂一些的协议设计中长度域不仅仅包含消息的长度而且包含其他的数据如版本号、数据类型、数据状态等那么这时候我们需要使用 lengthAdjustment 进行修正。假如长度域的值为14, 其中content的长度是12 那lengthAdjustment 12 - 14 -2 * * lengthAdjustment 解码前消息内容字段的起始位置 - 长度字段偏移量 -长度字段所占用的字节数 * lengthAdjustment initialBytesToStrip - lengthFieldOffset -lengthFieldLength */ ​ private final int lengthAdjustment; ​ ​ // 表示解码后需要跳过的初始字节数也就是消息内容字段的起始位置。 private final int initialBytesToStrip; ​ // 长度字段结束的偏移量lengthFieldEndOffset lengthFieldOffset lengthFieldLength private final int lengthFieldEndOffset; ​ 与固定长度解码器和特定分隔符解码器相似的属性 java private final int maxFrameLength; // 报文最大限制长度 private final boolean failFast; // 是否立即抛出 TooLongFrameException与 maxFrameLength 搭配使用 private boolean discardingTooLongFrame; // 是否处于丢弃模式 private long tooLongFrameLength; // 需要丢弃的字节数 private long bytesToDiscard; // 累计丢弃的字节数 ​ 下面我们结合具体的示例来解释下每种参数的组合其实在 Netty LengthFieldBasedFrameDecoder 源码的注释中已经描述得非常详细一共给出了 7 个场景示例理解了这些示例基本上可以真正掌握 LengthFieldBasedFrameDecoder 的参数用法。 示例 1典型的基于消息长度 消息内容的解码。 java BEFORE DECODE (14 bytes)         AFTER DECODE (14 bytes) ------------------------      ------------------------ | Length | Actual Content |-----| Length | Actual Content | | 12     | HELLO, WORLD |      | 0x000C | HELLO, WORLD | ------------------------      ------------------------ ​ 上述协议是最基本的格式报文只包含消息长度 Length 和消息内容 Content 字段其中 Length 为 16 进制表示共占用 2 字节Length 的值 0x000C 代表 Content 占用 12 字节。即要传输内容的字节数是12,该协议对应的解码器参数组合如下 ​ lengthFieldOffset 0存放长度数据的起始位置, Length 字段就在报文的开始位置即0 ​ lengthFieldLength 2长度字段所占用的字节数,协议设计的固定长度为2。 ​ lengthAdjustment 0 Length 字段只包含内容长度不需要做任何修正。 ​ initialBytesToStrip 0 表示解码后需要跳过的初始字节数也就是消息内容字段的起始位置。解码后14字节。表示内容就是12字节,我们可以先读2字节长度。再根据长度读取12字节的真正内容。 示例 2解码结果需要截断。 java BEFORE DECODE (14 bytes)         AFTER DECODE (12 bytes) ------------------------      ---------------- | Length | Actual Content |-----| Actual Content | | 12     | HELLO, WORLD |      | HELLO, WORLD | ------------------------      ---------------- ​ 示例 2 和示例 1 的区别在于解码后的结果只包含消息内容其他的部分是不变的。其中 Length 为 16 进制表示共占用 2 字节Length 的值 0x000C 代表 Content 占用 12 字节。该协议对应的解码器参数组合如下 ​ - lengthFieldOffset 0存放长度数据的起始位置,因为 Length 字段就在报文的开始位置。 - lengthFieldLength 2长度字段所占用的字节数,协议设计的固定长度。 - lengthAdjustment 0 Length 字段只包含消息长度不需要做任何修正。 - initialBytesToStrip 2 表示需要跳过2字节才是真正的消息内容 示例 3长度字段包含消息长度和消息内容所占的字节。 java BEFORE DECODE (14 bytes)         AFTER DECODE (14 bytes) ------------------------      ------------------------ | Length | Actual Content |-----| Length | Actual Content | | 14     | HELLO, WORLD |      | 0x000E | HELLO, WORLD | ------------------------      ------------------------ 与前两个示例不同的是示例 3 的 Length 字段包含 Length 字段自身的固定长度以及 Content 字段所占用的字节数Length 的值为 0x000E(2 12 14 字节)在 Length 字段值(14 字节)的基础上做 lengthAdjustment(-2)的修正才能得到真实的 Content 字段长度所以对应的解码器参数组合如下     lengthFieldOffset 0因为 Length 字段就在报文的开始位置。 lengthFieldLength 2协议设计的固定长度。 lengthAdjustment -2Actual Content是12,长度字段值为14,14 (-2) 12 即需要减 2 才是拆包所需要的长度。 ​ initialBytesToStrip 0解码后内容依然是 Length Content不需要跳过任何初始字节。解码前总长度14-解码后总长度140 示例 4基于长度字段偏移的解码。 java BEFORE DECODE (17 bytes)                      AFTER DECODE (17 bytes) ------------------------------------      --------------------------------- | Header|  Length| Actual Content |-----    |Header |  Length  | Actual Content| |  2 | 12 | HELLO, WORLD |          |0xCAFE | 0x00000C | HELLO, WORLD| ------------------------------------      --------------------------------- ​ 示例 4 中 Header 2字节, Length3字节,Length 字段不再是报文的起始位置,Length 字段的值为 0x00000C表示 Content 字段占用 12 字节该协议对应的解码器参数组合如下 ​ - lengthFieldOffset 2需要跳过 Header 1 所占用的 2 字节才是 Length 的起始位置。 - lengthFieldLength 3协议设计的固定长度。 - lengthAdjustment 0Length 字段只包含消息长度不需要做任何修正。before和after一样 - initialBytesToStrip 0解码后内容依然是完整的报文不需要跳过任何初始字节。 示例 5长度字段与内容字段不再相邻。 java BEFORE DECODE (17 bytes)                      AFTER DECODE (17 bytes) ------------------------------------      --------------------------------- |  Length| Header| Actual Content |----- |Length  | Header | Actual Content | |  12 |  2 | HELLO, WORLD |     |0x00000C| 0xCAFE | HELLO, WORLD | ------------------------------------      --------------------------------- 示例 5 中的 Length 字段之后是 HeaderLength 与 Content 字段不再相邻。Length 字段所表示的内容略过了 Header 1 字段所以也需要通过 lengthAdjustment 修正才能得到 Header Content 的内容。示例 5 所对应的解码器参数组合如下 ​ lengthFieldOffset 0因为 Length 字段就在报文的开始位置。 ​ lengthFieldLength 3协议设计的固定长度。 ​ lengthAdjustment 2 ​ initialBytesToStrip 0解码后内容依然是完整的报文不需要跳过任何初始字节。 解码前总长度17-解码后总长度17 示例 6基于长度偏移和长度修正的解码。 java BEFORE DECODE (16 bytes)                       AFTER DECODE (13 bytes) ------------------------------------      ---------------------- | HDR1 | Length | HDR2 | Actual Content |-----| HDR2 | Actual Content | | 1    | 12     | 1    | HELLO, WORLD |      | 0xFE | HELLO, WORLD | ------------------------------------      ---------------------- 示例 6 中 Length 字段前后分为别 HDR1 和 HDR2 字段各占用 1 字节所以既需要做长度字段的偏移也需要做 lengthAdjustment 修正具体修正的过程与 示例 5 类似。对应的解码器参数组合如下 ​ - lengthFieldOffset 1需要跳过 HDR1 所占用的 1 字节才是 Length 的起始位置。 - lengthFieldLength 2协议设计的固定长度。 - lengthAdjustment 1length: 12 HDR2:1 13 真正的内容长度13 - initialBytesToStrip 3解码后跳过 HDR1 和 Length 字段共占用 3 字节。 解码前总长度16-解码后总长度133 示例 7长度字段包含除 Content 外的多个其他字段。 java BEFORE DECODE (16 bytes)                       AFTER DECODE (13 bytes) ------------------------------------      ---------------------- | HDR1 | Length | HDR2 | Actual Content |-----| HDR2 | Actual Content | | 1    | 16     | 3    | HELLO, WORLD |      | 0xFE | HELLO, WORLD | ------------------------------------      ---------------------- 示例 7 与 示例 6 的区别在于 Length 字段记录了整个报文的长度包含 Length 自身所占字节2、HDR1占用字节1 、HDR2占用字节1 以及 Content 字段的长度12解码器需要知道如何进行 lengthAdjustment 调整才能得到 HDR2 和 Content 的内容。所以我们可以采用如下的解码器参数组合 ​ - lengthFieldOffset 1需要跳过 HDR1 所占用的 1 字节才是 Length 的起始位置。 - lengthFieldLength 2协议设计的固定长度。 - lengthAdjustment -3Actual Content 13 - 长度域的值16-3 initialBytesToStrip 3解码前16 -  解码后 13 3 ​ 以上 7 种示例涵盖了 LengthFieldBasedFrameDecoder 大部分的使用场景你是否学会了呢最后留一个小任务在上一节课程中我们设计了一个较为通用的协议如下所示。如何使用长度域解码器 LengthFieldBasedFrameDecoder 完成该协议的解码呢抓紧自己尝试下吧。 --------------------------------------------------------------- | 魔数 2byte | 协议版本号 1byte | 序列化算法 1byte | 报文类型 1byte  | --------------------------------------------------------------- | 状态 1byte |        保留字段 4byte     |      数据长度 4byte     | --------------------------------------------------------------- |                   数据内容 (长度不定)                          | --------------------------------------------------------------- 编码需要使用LengthFieldPrepender 总结 本节课我们介绍了三种常用的解码器从中我们可以体会到 Netty 在设计上的优雅只需要调整参数就可以轻松实现各种功能。在健壮性上Netty 也考虑得非常全面很多边界情况 Netty 都贴心地增加了保护性措施。实现一个健壮的解码器并不容易很可能因为一次解析错误就会导致解码器一直处理错乱的状态。如果你使用了基于长度编码的二进制协议那么推荐你使用 LengthFieldBasedFrameDecoder它已经可以满足实际项目中的大部分场景基本不需要再自定义实现了。希望朋友们在项目开发中能够学以致用。
http://www.dnsts.com.cn/news/237857.html

相关文章:

  • 安庆专业网站建设公分销电商平台有哪些
  • 深圳高端网站建设费用产品定制网站
  • 做浏览单的网站网页游戏排行榜前十名评论
  • 创建视频网站免费注册wordpress 4.2.3 exp
  • wordpress网站结构整形网站源码
  • 安徽禹尧工程建设有限公司网站网站建设管理工作自查报告
  • 浙江网站建设制作帮推广平台
  • 简单的网站建设找哪个公司做网站虚拟主机可以用服务器吗
  • 学做ppt的网站有哪些多媒体网站建设
  • 企业做电商网站有哪些慈溪外贸公司网站
  • 那些提卡网站是怎么做的模板图片可爱
  • 深圳南山网站开发网站首页网址
  • 揭阳做网站建设公司广州娱乐场所最新通知
  • 哪些网站可以免费推广非凡门户wordpress企业主题
  • c 网站建设教程视频建立网站的阶段
  • 网站开发网站制作报价单seo流程
  • 淮安公司网站建设wordpress登录
  • 怎样做自己的vip解析网站泰州cms建站模板
  • 邯郸做移动网站的公司请说明网站建设的一般过程包括哪些
  • 广州市建设工程交易服务中心网站一个网站多少钱?
  • 南昌网站建设冲浪者科技类似于wordpress的网站吗
  • 专做宠物的网站什么软件是做网站模板的
  • 北京矿建建设集团有限公司 网站体育彩票网站开发方案
  • 网站建设的结尾做购物网站要多少钱
  • 网站中的搜索框怎么做如何选择昆明网站建设
  • 网站首页大图怎么做创意100图片欣赏
  • 检测 网站优化wordpress 视频文件夹
  • 天津建行网站虚拟主机可建站1个是不是只能放一个网站
  • windows系统没有wordpress广州网站优化排名
  • 东川网站制作电脑版商城网站建设