Netty框架 前面我们学习了Java为我们提供的NIO框架,提供使用NIO提供的三大组件,我们就可以编写更加高性能的客户端/服务端网络程序了,甚至还可以自行规定一种通信协议进行通信。
NIO框架存在的问题 但是之前我们在使用NIO框架的时候,还是发现了一些问题,我们先来盘点一下。
客户端关闭导致服务端空轮询 可能在之前的实验中,你发现了这样一个问题:
当我们的客户端主动与服务端断开连接时,会导致READ事件一直被触发,也就是说selector.select()
会直接通过,并且是可读的状态,但是我们发现实际上读到是数据是一个空的(上面的图中在空轮询两次后抛出异常了,也有可能是无限的循环下去)所以这里我们得稍微处理一下:
1 2 3 4 5 6 7 8 9 10 11 12 13 } else if (key.isReadable()) { SocketChannel channel = (SocketChannel) key.channel(); ByteBuffer buffer = ByteBuffer.allocate(128 ); if (channel.read(buffer) < 0 ) { System.out.println("客户端已经断开连接了:" +channel.getRemoteAddress()); channel.close(); continue ; } buffer.flip(); System.out.println("接收到客户端数据:" +new String (buffer.array(), 0 , buffer.remaining())); channel.write(ByteBuffer.wrap("已收到!" .getBytes())); }
这样,我们就可以在客户端主动断开时关闭连接了:
当然,除了这种情况可能会导致空轮询之外,实际上还有一种可能,这种情况是NIO框架本身的BUG:
1 2 3 4 5 while (true ) { int count = selector.select(); System.out.println("监听到 " +count+" 个事件" ); Set<SelectionKey> selectionKeys = selector.selectedKeys(); Iterator<SelectionKey> iterator = selectionKeys.iterator();
详细请看JDK官方BUG反馈:
JDK-6670302 : (se) NIO selector wakes up with 0 selected keys infinitely
JDK-6403933 : (se) Selector doesn’t block on Selector.select(timeout) (lnx)
本质原因也是因为客户端的主动断开导致:
This is an issue with poll (and epoll) on Linux. If a file descriptor for a connected socket is polled with a request event mask of 0, and if the connection is abruptly terminated (RST) then the poll wakes up with the POLLHUP (and maybe POLLERR) bit set in the returned event set. The implication of this behaviour is that Selector will wakeup and as the interest set for the SocketChannel is 0 it means there aren’t any selected events and the select method returns 0.
这个问题本质是与操作系统有关的,所以JDK一直都认为是操作系统的问题,不应该由自己来处理,所以这个问题在当时的好几个JDK版本都是存在的,这是一个很严重的空转问题,无限制地进行空转操作会导致CPU资源被疯狂消耗。
不过,这个问题,却被Netty框架巧妙解决了,我们后面再说。
粘包/拆包问题 除了上面的问题之外,我们接着来看下一个问题。
我们在计算机网络
这门课程中学习过,操作系统通过TCP协议发送数据的时候,也会先将数据存放在缓冲区中,而至于什么时候真正地发出这些数据,是由TCP协议来决定的,这是我们无法控制的事情。
也就是说,比如现在我们要发送两个数据包(P1/P2),理想情况下,这两个包应该是依次到达服务端,并由服务端正确读取两次数据出来,但是由于上面的机制,可能会出现下面的情况:
可能P1和P2被合在一起发送给了服务端(粘包现象)
可能P1和P2的前半部分合在一起发送给了服务端(拆包现象)
可能P1的前半部分就被单独作为一个部分发给了服务端,后面的和P2一起发给服务端(也是拆包现象)
当然,对于这种问题,也有一些比较常见的解决方案:
消息定长,发送方和接收方规定固定大小的消息长度,例如每个数据包大小固定为200字节,如果不够,空位补空格,只有接收了200个字节之后,作为一个完整的数据包进行处理。
在每个包的末尾使用固定的分隔符,比如每个数据包末尾都是\r\n
,这样就一定需要读取到这样的分隔符才能将前面所有的数据作为一个完整的数据包进行处理。
将消息分为头部和本体,在头部中保存有当前整个数据包的长度,只有在读到足够长度之后才算是读到了一个完整的数据包。
这里我们就来演示一下第一种解决方案:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 public static void main (String[] args) { try (ServerSocketChannel serverChannel = ServerSocketChannel.open(); Selector selector = Selector.open()){ serverChannel.bind(new InetSocketAddress (8080 )); serverChannel.configureBlocking(false ); serverChannel.register(selector, SelectionKey.OP_ACCEPT); ByteBuffer buffer = ByteBuffer.allocate(30 ); while (true ) { int count = selector.select(); Set<SelectionKey> selectionKeys = selector.selectedKeys(); Iterator<SelectionKey> iterator = selectionKeys.iterator(); while (iterator.hasNext()) { ... if (buffer.remaining() == 0 ) { buffer.flip(); System.out.println("接收到客户端数据:" +new String (buffer.array(), 0 , buffer.remaining())); buffer.clear(); } channel.write(ByteBuffer.wrap(("已收到 " +size+" 字节的数据!" ).getBytes())); } ...
现在,当我们的客户端发送消息时,如果没有达到30个字节,那么会暂时存储起来,等有30个之后再一次性得到,当然如果数据量超过了30,那么最多也只会读取30个字节,其他的放在下一批:
这样就可以在一定程度上解决粘包/拆包问题了。
走进Netty框架 前面我们盘点了一下NIO存在的一些问题,而在Netty框架中,这些问题都被巧妙的解决了。
Netty是由JBOSS提供的一个开源的java网络编程框架,主要是对java的nio包进行了再次封装。Netty比java原生的nio包提供了更加强大、稳定的功能和易于使用的api。 netty的作者是Trustin Lee,这是一个韩国人,他还开发了另外一个著名的网络编程框架,mina。二者在很多方面都十分相似,它们的线程模型也是基本一致 。不过netty社区的活跃程度要mina高得多。
Netty实际上应用场景非常多,比如我们的Minecraft游戏服务器:
Java版本的Minecraft服务器就是使用Netty框架作为网络通信的基础,正是得益于Netty框架的高性能,我们才能愉快地和其他的小伙伴一起在服务器里面炸服。
学习了Netty框架后,说不定你也可以摸索到部分Minecraft插件/模组开发的底层细节(太折磨了,UP主高中搞了大半年这玩意)
当然除了游戏服务器之外,我们微服务之间的远程调用也可以使用Netty来完成,比如Dubbo的RPC框架,包括最新的SpringWebFlux框架,也抛弃了内嵌Tomcat而使用Netty作为通信框架。既然Netty这么强大,那么现在我们就开始Netty的学习吧!
导包先:
1 2 3 4 5 6 7 <dependencies > <dependency > <groupId > io.netty</groupId > <artifactId > netty-all</artifactId > <version > 4.1.76.Final</version > </dependency > </dependencies >
ByteBuf介绍 Netty并没有使用NIO中提供的ByteBuffer来进行数据装载,而是自行定义了一个ByteBuf类。
那么这个类相比NIO中的ByteBuffer有什么不同之处呢?
写操作完成后无需进行flip()
翻转。
具有比ByteBuffer更快的响应速度。
动态扩容。
首先我们来看看它的内部结构:
1 2 3 4 5 6 7 public abstract class AbstractByteBuf extends ByteBuf { ... int readerIndex; int writerIndex; private int markedReaderIndex; private int markedWriterIndex; private int maxCapacity;
可以看到,读操作和写操作分别由两个指针在进行维护,每写入一次,writerIndex
向后移动一位,每读取一次,也是readerIndex
向后移动一位,当然readerIndex
不能大于writerIndex
,这样就不会像NIO中的ByteBuffer那样还需要进行翻转了。
其中readerIndex
和writerIndex
之间的部分就是是可读的内容,而writerIndex
之后到capacity
都是可写的部分。
我们来实际使用一下看看:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 public static void main (String[] args) { ByteBuf buf = Unpooled.buffer(10 ); System.out.println("初始状态:" +Arrays.toString(buf.array())); buf.writeInt(-888888888 ); System.out.println("写入Int后:" +Arrays.toString(buf.array())); buf.readShort(); System.out.println("读取Short后:" +Arrays.toString(buf.array())); buf.discardReadBytes(); System.out.println("丢弃之后:" +Arrays.toString(buf.array())); buf.clear(); System.out.println("清空之后:" +Arrays.toString(buf.array())); }
通过结合断点调试,我们可以观察读写指针的移动情况,更加清楚的认识一下ByteBuf的底层操作。
我们再来看看划分操作是不是和之前一样的:
1 2 3 4 5 6 7 8 9 10 public static void main (String[] args) { ByteBuf buf = Unpooled.wrappedBuffer("abcdefg" .getBytes()); buf.readByte(); ByteBuf slice = buf.slice(); System.out.println(slice.arrayOffset()); System.out.println(Arrays.toString(slice.array())); }
可以看到,划分也是根据当前读取的位置来进行的。
我们继续来看看它的另一个特性,动态扩容,比如我们申请一个容量为10的缓冲区:
1 2 3 4 5 6 7 public static void main (String[] args) { ByteBuf buf = Unpooled.buffer(10 ); System.out.println(buf.capacity()); buf.writeCharSequence("卢本伟牛逼!" , StandardCharsets.UTF_8); System.out.println(buf.capacity()); }
通过结果我们发现,在写入一个超出当前容量的数据时,会进行动态扩容,扩容会从64开始,之后每次触发扩容都会x2,当然如果我们不希望它扩容,可以指定最大容量:
1 2 3 4 5 6 7 public static void main (String[] args) { ByteBuf buf = Unpooled.buffer(10 , 10 ); System.out.println(buf.capacity()); buf.writeCharSequence("卢本伟牛逼!" , StandardCharsets.UTF_8); System.out.println(buf.capacity()); }
可以看到现在无法再动态扩容了:
我们接着来看一下缓冲区的三种实现模式:堆缓冲区模式、直接缓冲区模式、复合缓冲区模式。
堆缓冲区(数组实现)和直接缓冲区(堆外内存实现)不用多说,前面我们在NIO中已经了解过了,我们要创建一个直接缓冲区也很简单,直接调用:
1 2 3 4 public static void main (String[] args) { ByteBuf buf = Unpooled.directBuffer(10 ); System.out.println(Arrays.toString(buf.array())); }
同样的不能直接拿到数组,因为底层压根不是数组实现的:
我们来看看复合模式,复合模式可以任意地拼凑组合其他缓冲区,比如我们可以:
这样,如果我们想要对两个缓冲区组合的内容进行操作,我们就不用再单独创建一个新的缓冲区了,而是直接将其进行拼接操作,相当于是作为多个缓冲区组合的视图。
1 2 3 4 5 6 7 8 CompositeByteBuf buf = Unpooled.compositeBuffer();buf.addComponent(Unpooled.copiedBuffer("abc" .getBytes())); buf.addComponent(Unpooled.copiedBuffer("def" .getBytes())); for (int i = 0 ; i < buf.capacity(); i++) { System.out.println((char ) buf.getByte(i)); }
可以看到我们也可以正常操作组合后的缓冲区。
最后我们来看看,池化缓冲区和非池化缓冲区的区别。
我们研究一下Unpooled工具类中具体是如何创建buffer的:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 public final class Unpooled { private static final ByteBufAllocator ALLOC; public static final ByteOrder BIG_ENDIAN; public static final ByteOrder LITTLE_ENDIAN; public static final ByteBuf EMPTY_BUFFER; public static ByteBuf buffer () { return ALLOC.heapBuffer(); } ... static { ALLOC = UnpooledByteBufAllocator.DEFAULT; BIG_ENDIAN = ByteOrder.BIG_ENDIAN; LITTLE_ENDIAN = ByteOrder.LITTLE_ENDIAN; EMPTY_BUFFER = ALLOC.buffer(0 , 0 ); assert EMPTY_BUFFER instanceof EmptyByteBuf : "EMPTY_BUFFER must be an EmptyByteBuf." ; } }
那么我们来看看,这个ByteBufAllocator又是个啥,顾名思义,其实就是负责分配缓冲区的。
它有两个具体实现类:UnpooledByteBufAllocator
和PooledByteBufAllocator
,一个是非池化缓冲区生成器,还有一个是池化缓冲区生成器,那么池化和非池化有啥区别呢?
实际上池化缓冲区利用了池化思想,将缓冲区通过设置内存池来进行内存块复用,这样就不用频繁地进行内存的申请,尤其是在使用堆外内存的时候,避免多次重复通过底层malloc()
函数系统调用申请内存造成的性能损失。Netty的内存管理机制主要是借鉴Jemalloc内存分配策略,感兴趣的小伙伴可以深入了解一下。
所以,由于是复用内存空间,我们来看个例子:
1 2 3 4 5 6 7 8 9 10 public static void main (String[] args) { ByteBufAllocator allocator = PooledByteBufAllocator.DEFAULT; ByteBuf buf = allocator.directBuffer(10 ); buf.writeChar('T' ); System.out.println(buf.readChar()); buf.release(); ByteBuf buf2 = allocator.directBuffer(10 ); System.out.println(buf2 == buf); }
可以看到,在我们使用完一个缓冲区之后,我们将其进行资源释放,当我们再次申请一个同样大小的缓冲区时,会直接得到之前已经申请好的缓冲区,所以,PooledByteBufAllocator实际上是将ByteBuf实例放入池中在进行复用。
零拷贝简介 注意: 此小节作为选学内容,需要掌握操作系统
和计算机组成原理
才能学习。
零拷贝是一种I/O操作优化技术,可以快速高效地将数据从文件系统移动到网络接口,而不需要将其从内核空间复制到用户空间,首先第一个问题,什么是内核空间,什么又是用户空间呢?
其实早期操作系统是不区分内核空间和用户空间的,但是应用程序能访问任意内存空间,程序很容易不稳定,常常把系统搞崩溃,比如清除操作系统的内存数据。实际上让应用程序随便访问内存真的太危险了,于是就按照CPU 指令的重要程度对指令进行了分级,指令分为四个级别:Ring0 ~ Ring3,Linux 下只使用了 Ring0 和 Ring3 两个运行级别,进程运行在 Ring3 级别时运行在用户态,指令只访问用户空间,而运行在 Ring0 级别时被称为运行在内核态,可以访问任意内存空间。
比如我们Java中创建一个新的线程,实际上最终是要交给操作系统来为我们进行分配的,而需要操作系统帮助我们完成任务则需要进行系统调用,是内核在进行处理,不是我们自己的程序在处理,这时就相当于我们的程序处于了内核态,而当操作系统底层分配完成,最后到我们Java代码中返回得到线程对象时,又继续由我们的程序进行操作,所以从内核态转换回了用户态。
而我们的文件操作也是这样,我们实际上也是需要让操作系统帮助我们从磁盘上读取文件数据或是向网络发送数据,比如使用传统IO的情况下,我们要从磁盘上读取文件然后发送到网络上,就会经历以下流程:
可以看到整个过程中是经历了2次CPU拷贝+2次DMA拷贝,一共四次拷贝,虽然逻辑比较清晰,但是数据老是这样来回进行复制,是不是太浪费时间了点?所以我们就需要寻找一种更好的方式,来实现零拷贝。
实现零拷贝我们这里演示三种方案:
使用虚拟内存
现在的操作系统基本都是支持虚拟内存的,我们可以让内核空间和用户空间的虚拟地址指向同一个物理地址,这样就相当于是直接共用了这一块区域,也就谈不上拷贝操作了:
使用mmap/write内存映射
实际上这种方式就是将内核空间中的缓存直接映射到用户空间缓存,比如我们之前在学习NIO中使用的MappedByteBuffer,就是直接作为映射存在,当我们需要将数据发送到Socket缓冲区时,直接在内核空间中进行操作就行了:
不过这样还是会出现用户态和内核态的切换,我们得再优化优化。
使用sendfile方式
在Linux2.1开始,引入了sendfile方式来简化操作,我们可以直接告诉内核要把哪个文件数据拷贝拷贝到Socket上,直接在内核空间中一步到位:
比如我们之前在NIO中使用的transferTo()
方法,就是利用了这种机制来实现零拷贝的。
Netty工作模型 前面我们了解了Netty为我们提供的更高级的缓冲区类,我们接着来看看Netty是如何工作的,上一章我们介绍了Reactor模式,而Netty正是以主从Reactor多线程模型为基础,构建出了一套高效的工作模型。
大致工作模型图如下:
可以看到,和我们之前介绍的主从Reactor多线程模型非常类似:
所有的客户端需要连接到主Reactor完成Accept操作后,其他的操作由从Reactor去完成,这里也是差不多的思想,但是它进行了一些改进,我们来看一下它的设计:
Netty 抽象出两组线程池BossGroup和WorkerGroup,BossGroup专门负责接受客户端的连接, WorkerGroup专门负读写,就像我们前面说的主从Reactor一样。
无论是BossGroup还是WorkerGroup,都是使用EventLoop(事件循环,很多系统都采用了事件循环机制,比如前端框架Node.js,事件循环顾名思义,就是一个循环,不断地进行事件通知)来进行事件监听的,整个Netty也是使用事件驱动来运作的,比如当客户端已经准备好读写、连接建立时,都会进行事件通知,说白了就像我们之前写NIO多路复用那样,只不过这里换成EventLoop了而已,它已经帮助我们封装好了一些常用操作,而且我们可以自己添加一些额外的任务,如果有多个EventLoop,会存放在EventLoopGroup中,EventLoopGroup就是BossGroup和WorkerGroup的具体实现。
在BossGroup之后,会正常将SocketChannel绑定到WorkerGroup中的其中一个EventLoop上,进行后续的读写操作监听。
前面我们大致了解了一下Netty的工作模型,接着我们来尝试创建一个Netty服务器:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 public static void main (String[] args) { EventLoopGroup bossGroup = new NioEventLoopGroup (), workerGroup = new NioEventLoopGroup (); ServerBootstrap bootstrap = new ServerBootstrap (); bootstrap .group(bossGroup, workerGroup) .channel(NioServerSocketChannel.class) .childHandler(new ChannelInitializer <SocketChannel>() { @Override protected void initChannel (SocketChannel channel) { channel.pipeline().addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) { ByteBuf buf = (ByteBuf) msg; System.out.println(Thread.currentThread().getName()+" >> 接收到客户端发送的数据:" +buf.toString(StandardCharsets.UTF_8)); ctx.writeAndFlush(Unpooled.wrappedBuffer("已收到!" .getBytes())); } }); } }); bootstrap.bind(8080 ); }
可以看到上面写了很多东西,但是你一定会懵逼,这些新来的东西,都是什么跟什么啊,怎么一个也没看明白?没关系,我们可以暂时先将代码写在这里,具体的各个部分,还请听后面细细道来。
我们接着编写一个客户端,客户端可以直接使用我们之前的:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 public static void main (String[] args) { try (SocketChannel channel = SocketChannel.open(new InetSocketAddress ("localhost" , 8080 )); Scanner scanner = new Scanner (System.in)){ System.out.println("已连接到服务端!" ); while (true ) { System.out.println("请输入要发送给服务端的内容:" ); String text = scanner.nextLine(); if (text.isEmpty()) continue ; channel.write(ByteBuffer.wrap(text.getBytes())); System.out.println("已发送!" ); ByteBuffer buffer = ByteBuffer.allocate(128 ); channel.read(buffer); buffer.flip(); System.out.println("收到服务器返回:" +new String (buffer.array(), 0 , buffer.remaining())); } } catch (IOException e) { throw new RuntimeException (e); } }
通过通道正常收发数据即可,这样我们就成功搭建好了一个Netty服务器。
Channel详解 在学习NIO时,我们就已经接触到Channel了,我们可以通过通道来进行数据的传输,并且通道支持双向传输。
而在Netty中,也有对应的Channel类型:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 public interface Channel extends AttributeMap , ChannelOutboundInvoker, Comparable<Channel> { ChannelId id () ; EventLoop eventLoop () ; Channel parent () ; ChannelConfig config () ; boolean isOpen () ; boolean isRegistered () ; boolean isActive () ; ChannelMetadata metadata () ; SocketAddress localAddress () ; SocketAddress remoteAddress () ; ChannelFuture closeFuture () ; boolean isWritable () ; long bytesBeforeUnwritable () ; long bytesBeforeWritable () ; Unsafe unsafe () ; ChannelPipeline pipeline () ; ByteBufAllocator alloc () ; Channel read () ; Channel flush () ; }
可以看到,Netty中的Channel相比NIO功能就多得多了。Netty中的Channel主要特点如下:
所有的IO操作都是异步的,并不是在当前线程同步运行,方法调用之后就直接返回了,那怎么获取操作的结果呢?还记得我们在前面JUC篇教程中学习的Future吗,没错,这里的ChannelFuture也是干这事的。
我们可以来看一下Channel接口的父接口ChannelOutboundInvoker接口,这里面定义了大量的I/O操作:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 public interface ChannelOutboundInvoker { ChannelFuture bind (SocketAddress var1) ; ChannelFuture connect (SocketAddress var1) ; ChannelFuture connect (SocketAddress var1, SocketAddress var2) ; ChannelFuture disconnect () ; ChannelFuture close () ; ChannelFuture deregister () ; ChannelFuture bind (SocketAddress var1, ChannelPromise var2) ; ChannelFuture connect (SocketAddress var1, ChannelPromise var2) ; ChannelFuture connect (SocketAddress var1, SocketAddress var2, ChannelPromise var3) ; ChannelFuture disconnect (ChannelPromise var1) ; ChannelFuture close (ChannelPromise var1) ; ChannelFuture deregister (ChannelPromise var1) ; ChannelOutboundInvoker read () ; ChannelFuture write (Object var1) ; ChannelFuture write (Object var1, ChannelPromise var2) ; ChannelOutboundInvoker flush () ; ChannelFuture writeAndFlush (Object var1, ChannelPromise var2) ; ChannelFuture writeAndFlush (Object var1) ; ChannelPromise newPromise () ; ChannelProgressivePromise newProgressivePromise () ; ChannelFuture newSucceededFuture () ; ChannelFuture newFailedFuture (Throwable var1) ; ChannelPromise voidPromise () ; }
当然它还实现了AttributeMap接口,其实有点类似于Session那种感觉,我们可以添加一些属性之类的:
1 2 3 4 5 public interface AttributeMap { <T> Attribute<T> attr (AttributeKey<T> var1) ; <T> boolean hasAttr (AttributeKey<T> var1) ; }
我们了解了Netty底层的Channel之后,我们接着来看ChannelHandler,既然现在有了通道,那么怎么进行操作呢?我们可以将需要处理的事情放在ChannelHandler中,ChannelHandler充当了所有入站和出站数据的应用程序逻辑的容器,实际上就是我们之前Reactor模式中的Handler,全靠它来处理读写操作。
不过这里不仅仅是一个简单的ChannelHandler在进行处理,而是一整套流水线,我们之后会介绍ChannelPipeline。
比如我们上面就是使用了ChannelInboundHandlerAdapter抽象类,它是ChannelInboundHandler接口的实现,用于处理入站数据,可以看到我们实际上就是通过重写对应的方法来进行处理,这些方法会在合适的时间被调用:
1 2 3 4 5 6 7 8 9 10 channel.pipeline().addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) { ByteBuf buf = (ByteBuf) msg; System.out.println(Thread.currentThread().getName()+" >> 接收到客户端发送的数据:" +buf.toString(StandardCharsets.UTF_8)); ctx.writeAndFlush(Unpooled.wrappedBuffer("已收到!" .getBytes())); } });
我们先从顶层接口开始看起:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 public interface ChannelHandler { void handlerAdded (ChannelHandlerContext var1) throws Exception; void handlerRemoved (ChannelHandlerContext var1) throws Exception; @Deprecated void exceptionCaught (ChannelHandlerContext var1, Throwable var2) throws Exception; @Inherited @Documented @Target({ElementType.TYPE}) @Retention(RetentionPolicy.RUNTIME) public @interface Sharable { } }
顶层接口的定义比较简单,就只有一些流水线相关的回调方法,我们接着来看下一级:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 public interface ChannelInboundHandler extends ChannelHandler { void channelRegistered (ChannelHandlerContext var1) throws Exception; void channelUnregistered (ChannelHandlerContext var1) throws Exception; void channelActive (ChannelHandlerContext var1) throws Exception; void channelInactive (ChannelHandlerContext var1) throws Exception; void channelRead (ChannelHandlerContext var1, Object var2) throws Exception; void channelReadComplete (ChannelHandlerContext var1) throws Exception; void userEventTriggered (ChannelHandlerContext var1, Object var2) throws Exception; void channelWritabilityChanged (ChannelHandlerContext var1) throws Exception; void exceptionCaught (ChannelHandlerContext var1, Throwable var2) throws Exception; }
而我们上面用到的ChannelInboundHandlerAdapter实际上就是对这些方法实现的抽象类,相比直接用接口,我们可以只重写我们需要的方法,没有重写的方法会默认向流水线下一个ChannelHandler发送。
我们来测试一下吧:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 public class TestChannelHandler extends ChannelInboundHandlerAdapter { public void channelRegistered (ChannelHandlerContext ctx) throws Exception { System.out.println("channelRegistered" ); } public void channelUnregistered (ChannelHandlerContext ctx) throws Exception { System.out.println("channelUnregistered" ); } public void channelActive (ChannelHandlerContext ctx) throws Exception { System.out.println("channelActive" ); } public void channelInactive (ChannelHandlerContext ctx) throws Exception { System.out.println("channelInactive" ); } public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { ByteBuf buf = (ByteBuf) msg; System.out.println(Thread.currentThread().getName()+" >> 接收到客户端发送的数据:" +buf.toString(StandardCharsets.UTF_8)); ByteBuf back = ctx.alloc().buffer(); back.writeCharSequence("已收到!" , StandardCharsets.UTF_8); ctx.writeAndFlush(back); System.out.println("channelRead" ); } public void channelReadComplete (ChannelHandlerContext ctx) throws Exception { System.out.println("channelReadComplete" ); } public void userEventTriggered (ChannelHandlerContext ctx, Object evt) throws Exception { System.out.println("userEventTriggered" ); } public void channelWritabilityChanged (ChannelHandlerContext ctx) throws Exception { System.out.println("channelWritabilityChanged" ); } public void exceptionCaught (ChannelHandlerContext ctx, Throwable cause) throws Exception { System.out.println("exceptionCaught" +cause); } }
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 public static void main (String[] args) { EventLoopGroup bossGroup = new NioEventLoopGroup (), workerGroup = new NioEventLoopGroup (); ServerBootstrap bootstrap = new ServerBootstrap (); bootstrap .group(bossGroup, workerGroup) .channel(NioServerSocketChannel.class) .childHandler(new ChannelInitializer <SocketChannel>() { @Override protected void initChannel (SocketChannel channel) { channel.pipeline().addLast(new TestChannelHandler ()); } }); bootstrap.bind(8080 ); }
现在我们启动服务器,让客户端来连接并发送一下数据试试看:
可以看到ChannelInboundHandler的整个生命周期,首先是Channel注册成功,然后才会变成可用状态,接着就差不多可以等待客户端来数据了,当客户端主动断开连接时,会再次触发一次channelReadComplete
,然后不可用,最后取消注册。
我们来测试一下出现异常的情况呢?
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { ByteBuf buf = (ByteBuf) msg; System.out.println(Thread.currentThread().getName()+" >> 接收到客户端发送的数据:" +buf.toString(StandardCharsets.UTF_8)); ByteBuf back = ctx.alloc().buffer(); back.writeCharSequence("已收到!" , StandardCharsets.UTF_8); ctx.writeAndFlush(back); System.out.println("channelRead" ); throw new RuntimeException ("我是自定义异常1" ); } public void channelReadComplete (ChannelHandlerContext ctx) throws Exception { System.out.println("channelReadComplete" ); throw new RuntimeException ("我是自定义异常2" ); } ... public void exceptionCaught (ChannelHandlerContext ctx, Throwable cause) throws Exception { System.out.println("exceptionCaught" +cause); }
可以看到发生异常时,会接着调用exceptionCaught
方法:
与ChannelInboundHandler对应的还有ChannelOutboundHandler用于处理出站相关的操作,这里就不进行演示了。
我们接着来看看ChannelPipeline,每一个Channel都对应一个ChannelPipeline(在Channel初始化时就被创建了)
它就像是一条流水线一样,整条流水线上可能会有很多个Handler(包括入站和出站),整条流水线上的两端还有两个默认的处理器(用于一些预置操作和后续操作,比如释放资源等),我们只需要关心如何安排这些自定义的Handler即可,比如我们现在希望创建两个入站ChannelHandler,一个用于接收请求并处理,还有一个用于处理当前接收请求过程中出现的异常:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 .childHandler(new ChannelInitializer <SocketChannel>() { @Override protected void initChannel (SocketChannel channel) { channel.pipeline() .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { ByteBuf buf = (ByteBuf) msg; System.out.println("接收到客户端发送的数据:" +buf.toString(StandardCharsets.UTF_8)); throw new RuntimeException ("我是异常" ); } }) .addLast(new ChannelInboundHandlerAdapter (){ @Override public void exceptionCaught (ChannelHandlerContext ctx, Throwable cause) throws Exception { System.out.println("我是异常处理:" +cause); } }); } });
那么它是如何运作的呢?实际上如果我们不在ChannelInboundHandlerAdapter中重写对应的方法,它会默认传播到流水线的下一个ChannelInboundHandlerAdapter进行处理,比如:
1 2 3 public void exceptionCaught (ChannelHandlerContext ctx, Throwable cause) throws Exception { ctx.fireExceptionCaught(cause); }
比如我们现在需要将一个消息在两个Handler中进行处理:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 @Override protected void initChannel (SocketChannel channel) { channel.pipeline() .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { ByteBuf buf = (ByteBuf) msg; System.out.println("1接收到客户端发送的数据:" +buf.toString(StandardCharsets.UTF_8)); ctx.fireChannelRead(msg); } }) .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { ByteBuf buf = (ByteBuf) msg; System.out.println("2接收到客户端发送的数据:" +buf.toString(StandardCharsets.UTF_8)); } }); }
我们接着来看看出站相关操作,我们可以使用ChannelOutboundHandlerAdapter来完成:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 @Override protected void initChannel (SocketChannel channel) { channel.pipeline() .addLast(new ChannelOutboundHandlerAdapter (){ @Override public void write (ChannelHandlerContext ctx, Object msg, ChannelPromise promise) throws Exception { System.out.println(msg); ctx.writeAndFlush(Unpooled.wrappedBuffer(msg.toString().getBytes())); } }) .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { ByteBuf buf = (ByteBuf) msg; System.out.println("1接收到客户端发送的数据:" +buf.toString(StandardCharsets.UTF_8)); ctx.fireChannelRead(msg); } }) .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { ByteBuf buf = (ByteBuf) msg; System.out.println("2接收到客户端发送的数据:" +buf.toString(StandardCharsets.UTF_8)); ctx.writeAndFlush("不会吧不会吧,不会还有人都看到这里了还没三连吧" ); } }); }
现在我们来试试看,搞两个出站的Handler,验证一下是不是上面的样子:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 @Override protected void initChannel (SocketChannel channel) { channel.pipeline() .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { ByteBuf buf = (ByteBuf) msg; System.out.println("1接收到客户端发送的数据:" +buf.toString(StandardCharsets.UTF_8)); ctx.fireChannelRead(msg); } }) .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { ByteBuf buf = (ByteBuf) msg; System.out.println("2接收到客户端发送的数据:" +buf.toString(StandardCharsets.UTF_8)); ctx.channel().writeAndFlush("伞兵一号卢本伟" ); } }) .addLast(new ChannelOutboundHandlerAdapter (){ @Override public void write (ChannelHandlerContext ctx, Object msg, ChannelPromise promise) throws Exception { System.out.println("1号出站:" +msg); } }) .addLast(new ChannelOutboundHandlerAdapter (){ @Override public void write (ChannelHandlerContext ctx, Object msg, ChannelPromise promise) throws Exception { System.out.println("2号出站:" +msg); ctx.write(msg); } }); }
所以,出站操作在流水线上是反着来的,整个流水线操作大概流程如下:
有关Channel及其处理相关操作,就先讲到这里。
EventLoop和任务调度 前面我们讲解了Channel,那么在EventLoop中具体是如何进行调度的呢?实际上我们之前在编写NIO的时候,就是一个while循环在源源不断地等待新的事件,而EventLoop也正是这种思想,它本质就是一个事件等待/处理线程。
我们上面使用的就是EventLoopGroup,包含很多个EventLoop,我们每创建一个连接,就需要绑定到一个EventLoop上,之后EventLoop就会开始监听这个连接(只要连接不关闭,一直都是这个EventLoop负责此Channel),而一个EventLoop可以同时监听很多个Channel,实际上就是我们之前学习的Selector罢了。
当然,EventLoop并不只是用于网络操作的,我们前面所说的EventLoop其实都是NioEventLoop,它是专用于网络通信的,除了网络通信之外,我们也可以使用普通的EventLoop来处理一些其他的事件。
比如我们现在编写的服务端,虽然结构上和主从Reactor多线程模型差不多,但是我们发现,Handler似乎是和读写操作在一起进行的,而我们之前所说的模型中,Handler是在读写之外的单独线程中进行的:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 public static void main (String[] args) { EventLoopGroup bossGroup = new NioEventLoopGroup (), workerGroup = new NioEventLoopGroup (1 ); ServerBootstrap bootstrap = new ServerBootstrap (); bootstrap .group(bossGroup, workerGroup) .channel(NioServerSocketChannel.class) .childHandler(new ChannelInitializer <SocketChannel>() { @Override protected void initChannel (SocketChannel channel) { channel.pipeline() .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { ByteBuf buf = (ByteBuf) msg; System.out.println("接收到客户端发送的数据:" +buf.toString(StandardCharsets.UTF_8)); Thread.sleep(10000 ); ctx.writeAndFlush(Unpooled.wrappedBuffer("已收到!" .getBytes())); } }); } }); bootstrap.bind(8080 ); }
可以看到,如果在这里卡住了,那么就没办法处理EventLoop绑定的其他Channel了,所以我们这里就创建一个普通的EventLoop来专门处理读写之外的任务:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 public static void main (String[] args) { EventLoopGroup bossGroup = new NioEventLoopGroup (), workerGroup = new NioEventLoopGroup (1 ); EventLoopGroup handlerGroup = new DefaultEventLoopGroup (); ServerBootstrap bootstrap = new ServerBootstrap (); bootstrap .group(bossGroup, workerGroup) .channel(NioServerSocketChannel.class) .childHandler(new ChannelInitializer <SocketChannel>() { @Override protected void initChannel (SocketChannel channel) { channel.pipeline() .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { ByteBuf buf = (ByteBuf) msg; System.out.println("接收到客户端发送的数据:" +buf.toString(StandardCharsets.UTF_8)); handlerGroup.submit(() -> { try { Thread.sleep(10000 ); } catch (InterruptedException e) { throw new RuntimeException (e); } ctx.writeAndFlush(Unpooled.wrappedBuffer("已收到!" .getBytes())); }); } }); } }); bootstrap.bind(8080 ); }
当然我们也可以写成一条流水线:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 public static void main (String[] args) { EventLoopGroup bossGroup = new NioEventLoopGroup (), workerGroup = new NioEventLoopGroup (1 ); EventLoopGroup handlerGroup = new DefaultEventLoopGroup (); ServerBootstrap bootstrap = new ServerBootstrap (); bootstrap .group(bossGroup, workerGroup) .channel(NioServerSocketChannel.class) .childHandler(new ChannelInitializer <SocketChannel>() { @Override protected void initChannel (SocketChannel channel) { channel.pipeline() .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { ByteBuf buf = (ByteBuf) msg; System.out.println("接收到客户端发送的数据:" +buf.toString(StandardCharsets.UTF_8)); ctx.fireChannelRead(msg); } }).addLast(handlerGroup, new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { try { Thread.sleep(10000 ); } catch (InterruptedException e) { throw new RuntimeException (e); } ctx.writeAndFlush(Unpooled.wrappedBuffer("已收到!" .getBytes())); } }); } }); bootstrap.bind(8080 ); }
这样,我们就进一步地将EventLoop利用起来了。
按照前面服务端的方式,我们来把Netty版本的客户端也给写了:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 public static void main (String[] args) { Bootstrap bootstrap = new Bootstrap (); bootstrap .group(new NioEventLoopGroup ()) .channel(NioSocketChannel.class) .handler(new ChannelInitializer <SocketChannel>() { @Override protected void initChannel (SocketChannel channel) throws Exception { channel.pipeline().addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { ByteBuf buf = (ByteBuf) msg; System.out.println(">> 接收到客户端发送的数据:" +buf.toString(StandardCharsets.UTF_8)); } }); } }); Channel channel = bootstrap.connect("localhost" , 8080 ).channel(); try (Scanner scanner = new Scanner (System.in)){ while (true ) { System.out.println("<< 请输入要发送给服务端的内容:" ); String text = scanner.nextLine(); if (text.isEmpty()) continue ; channel.writeAndFlush(Unpooled.wrappedBuffer(text.getBytes())); } } }
我们来测试一下吧:
Future和Promise 我们接着来看ChannelFuture,前面我们提到,Netty中Channel的相关操作都是异步进行的,并不是在当前线程同步执行,我们不能立即得到执行结果,如果需要得到结果,那么我们就必须要利用到Future。
我们先来看看ChannelFutuer接口怎么定义的:
1 2 3 4 5 6 7 8 9 10 11 12 public interface ChannelFuture extends Future <Void> { Channel channel () ; ChannelFuture addListener (GenericFutureListener<? extends Future<? super Void>> var1) ; ChannelFuture addListeners (GenericFutureListener<? extends Future<? super Void>>... var1) ; ChannelFuture removeListener (GenericFutureListener<? extends Future<? super Void>> var1) ; ChannelFuture removeListeners (GenericFutureListener<? extends Future<? super Void>>... var1) ; ChannelFuture sync () throws InterruptedException; ChannelFuture syncUninterruptibly () ; ChannelFuture await () throws InterruptedException; ChannelFuture awaitUninterruptibly () ; boolean isVoid () ; }
此接口是继承自Netty中的Future接口的(不是JDK的那个):
1 2 3 4 5 6 7 8 9 10 public interface Future <V> extends java .util.concurrent.Future<V> { boolean isSuccess () ; boolean isCancellable () ; Throwable cause () ; ... V getNow () ; boolean cancel (boolean var1) ; }
Channel的很多操作都是异步完成的,直接返回一个ChannelFuture,比如Channel的write操作,返回的就是一个ChannelFuture对象:
1 2 3 4 5 6 7 8 9 .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { ByteBuf buf = (ByteBuf) msg; System.out.println("接收到客户端发送的数据:" +buf.toString(StandardCharsets.UTF_8)); ChannelFuture future = ctx.writeAndFlush(Unpooled.wrappedBuffer("已收到!" .getBytes())); System.out.println("任务完成状态:" +future.isDone()); } });
包括我们的服务端启动也是返回的ChannelFuture:
1 2 3 4 5 6 7 ... } }); ChannelFuture future = bootstrap.bind(8080 ); System.out.println("服务端启动状态:" +future.isDone()); System.out.println("我是服务端启动完成之后要做的事情!" ); }
可以看到,服务端的启动就比较慢了,所以在一开始直接获取状态会返回false
,但是这个时候我们又需要等到服务端启动完成之后做一些事情,这个时候该怎么办呢?现在我们就有两种方案了:
1 2 3 4 5 6 7 } }); ChannelFuture future = bootstrap.bind(8080 ); future.sync(); System.out.println("服务端启动状态:" +future.isDone()); System.out.println("我是服务端启动完成之后要做的事情!" ); }
第一种方案是直接让当前线程同步等待异步任务完成,我们可以使用sync()
方法,这样当前线程会一直阻塞直到任务结束。第二种方案是添加一个监听器,等待任务完成时通知:
1 2 3 4 5 6 } }); ChannelFuture future = bootstrap.bind(8080 ); future.addListener(f -> System.out.println("我是服务端启动完成之后要做的事情!" )); }
包括客户端的关闭,也是异步进行的:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 try (Scanner scanner = new Scanner (System.in)){ while (true ) { System.out.println("<< 请输入要发送给服务端的内容:" ); String text = scanner.nextLine(); if (text.isEmpty()) continue ; if (text.equals("exit" )) { ChannelFuture future = channel.close(); future.sync(); break ; } channel.writeAndFlush(Unpooled.wrappedBuffer(text.getBytes())); } } catch (InterruptedException e) { throw new RuntimeException (e); } finally { group.shutdownGracefully(); }
我们接着来看看Promise接口,它支持手动设定成功和失败的结果:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 public interface Promise <V> extends Future <V> { Promise<V> setSuccess (V var1) ; boolean trySuccess (V var1) ; Promise<V> setFailure (Throwable var1) ; boolean tryFailure (Throwable var1) ; boolean setUncancellable () ; Promise<V> addListener (GenericFutureListener<? extends Future<? super V>> var1) ; Promise<V> addListeners (GenericFutureListener<? extends Future<? super V>>... var1) ; Promise<V> removeListener (GenericFutureListener<? extends Future<? super V>> var1) ; Promise<V> removeListeners (GenericFutureListener<? extends Future<? super V>>... var1) ; Promise<V> await () throws InterruptedException; Promise<V> awaitUninterruptibly () ; Promise<V> sync () throws InterruptedException; Promise<V> syncUninterruptibly () ; }
比如我们来测试一下:
1 2 3 4 5 6 7 public static void main (String[] args) throws ExecutionException, InterruptedException { Promise<String> promise = new DefaultPromise <>(new DefaultEventLoop ()); System.out.println(promise.isSuccess()); promise.setSuccess("lbwnb" ); System.out.println(promise.isSuccess()); System.out.println(promise.get()); }
可以看到我们可以手动指定成功状态,包括ChannelOutboundInvoker中的一些基本操作,都是支持ChannelPromise的:
1 2 3 4 5 6 7 8 9 10 11 12 13 .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { ByteBuf buf = (ByteBuf) msg; String text = buf.toString(StandardCharsets.UTF_8); System.out.println("接收到客户端发送的数据:" +text); ChannelPromise promise = new DefaultChannelPromise (channel); System.out.println(promise.isSuccess()); ctx.writeAndFlush(Unpooled.wrappedBuffer("已收到!" .getBytes()), promise); promise.sync(); System.out.println(promise.isSuccess()); } });
最后结果就是我们想要的了,当然我们也可以像Future那样添加监听器,当成功时自动通知:
1 2 3 4 5 6 7 public static void main (String[] args) throws ExecutionException, InterruptedException { Promise<String> promise = new DefaultPromise <>(new DefaultEventLoop ()); promise.addListener(f -> System.out.println(promise.get())); System.out.println(promise.isSuccess()); promise.setSuccess("lbwnb" ); System.out.println(promise.isSuccess()); }
有关Future和Promise就暂时讲解到这里。
编码器和解码器 前面我们已经了解了Netty的大部分基础内容,我们接着来看看Netty内置的一些编码器和解码器。
在前面的学习中,我们的数据发送和接收都是需要以ByteBuf形式传输,但是这样是不是有点太不方便了,咱们能不能参考一下JavaWeb那种搞个Filter,在我们开始处理数据之前,过过滤一次,并在过滤的途中将数据转换成我们想要的类型,也可以将发出的数据进行转换,这就要用到编码解码器了。
我们先来看看最简的,字符串,如果我们要直接在客户端或是服务端处理字符串,可以直接添加一个字符串解码器到我们的流水线中:
1 2 3 4 5 6 7 8 9 10 11 12 13 @Override protected void initChannel (SocketChannel channel) { channel.pipeline() .addLast(new StringDecoder ()) .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { System.out.println(msg); } }); }
可以看到,使用起来还是非常方便的,我们只需要将其添加到流水线即可,实际上器本质就是一个ChannelInboundHandlerAdapter:
我们看到它是继承自MessageToMessageDecoder,用于将传入的Message转换为另一种类型,我们也可以自行编写一个实现:
1 2 3 4 5 6 7 8 9 10 11 public class TestDecoder extends MessageToMessageDecoder <ByteBuf> { @Override protected void decode (ChannelHandlerContext channelHandlerContext, ByteBuf buf, List<Object> list) throws Exception { System.out.println("数据已收到,正在进行解码..." ); String text = buf.toString(StandardCharsets.UTF_8); list.add(text); } }
运行,可以看到:
当然如果我们在List里面丢很多个数据的话:
1 2 3 4 5 6 7 8 9 10 public class TestDecoder extends MessageToMessageDecoder <ByteBuf> { @Override protected void decode (ChannelHandlerContext channelHandlerContext, ByteBuf buf, List<Object> list) throws Exception { System.out.println("数据已收到,正在进行解码..." ); String text = buf.toString(StandardCharsets.UTF_8); list.add(text); list.add(text+"2" ); list.add(text+'3' ); } }
可以看到,后面的Handler会依次对三条数据都进行处理,当然,除了MessageToMessageDecoder之外,还有其他类型的解码器,比如ByteToMessageDecoder等,这里就不一一介绍了,Netty内置了很多的解码器实现来方便我们开发,比如HTTP(下一节介绍),SMTP、MQTT等,以及我们常用的Redis、Memcached、JSON等数据包。
当然,有了解码器处理发来的数据,那发出去的数据肯定也是需要被处理的,所以编码器就出现了:
1 2 3 4 5 6 7 8 9 10 11 channel.pipeline() .addLast(new StringDecoder ()) .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { System.out.println("收到客户端的数据:" +msg); ctx.channel().writeAndFlush("可以,不跟你多BB" ); } }) .addLast(new StringEncoder ());
和上面的StringDecoder一样,StringEncoder本质上就是一个ChannelOutboundHandlerAdapter:
是不是感觉前面学习的Handler和Pipeline突然就变得有用了,直接一条线把数据处理安排得明明白白啊。
现在我们把客户端也改成使用编码、解码器的样子:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 public static void main (String[] args) { Bootstrap bootstrap = new Bootstrap (); bootstrap .group(new NioEventLoopGroup ()) .channel(NioSocketChannel.class) .handler(new ChannelInitializer <SocketChannel>() { @Override protected void initChannel (SocketChannel channel) throws Exception { channel.pipeline() .addLast(new StringDecoder ()) .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { System.out.println(">> 接收到客户端发送的数据:" + msg); } }) .addLast(new StringEncoder ()); } }); Channel channel = bootstrap.connect("localhost" , 8080 ).channel(); try (Scanner scanner = new Scanner (System.in)){ while (true ) { System.out.println("<< 请输入要发送给服务端的内容:" ); String text = scanner.nextLine(); if (text.isEmpty()) continue ; channel.writeAndFlush(text); } } }
这样我们的代码量又蹭蹭的减少了很多:
当然,除了编码器和解码器之外,还有编解码器。??缝合怪??
可以看到它是既继承了ChannelInboundHandlerAdapter也实现了ChannelOutboundHandler接口,又能处理出站也能处理入站请求,实际上就是将之前的给组合到一起了,比如我们也可以实现一个缝合在一起的StringCodec类:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 public class StringCodec extends MessageToMessageCodec <ByteBuf, String> { @Override protected void encode (ChannelHandlerContext channelHandlerContext, String buf, List<Object> list) throws Exception { System.out.println("正在处理出站数据..." ); list.add(Unpooled.wrappedBuffer(buf.getBytes())); } @Override protected void decode (ChannelHandlerContext channelHandlerContext, ByteBuf buf, List<Object> list) throws Exception { System.out.println("正在处理入站数据..." ); list.add(buf.toString(StandardCharsets.UTF_8)); } }
可以看到实际上就是需要我们同时去实现编码和解码方法,继承MessageToMessageCodec类即可。
当然,如果整条流水线上有很多个解码器或是编码器,那么也可以多次进行编码或是解码,比如:
1 2 3 4 5 6 7 8 public class StringToStringEncoder extends MessageToMessageEncoder <String> { @Override protected void encode (ChannelHandlerContext channelHandlerContext, String s, List<Object> list) throws Exception { System.out.println("我是预处理编码器,就要皮这一下。" ); list.add("[已处理] " +s); } }
1 2 3 4 5 6 7 8 9 10 11 12 channel.pipeline() .addLast(new StringDecoder ()) .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { System.out.println("收到客户端的数据:" +msg); ctx.channel().writeAndFlush("可以,不跟你多BB" ); } }) .addLast(new StringEncoder ()) .addLast(new StringToStringEncoder ());
可以看到,数据在流水线上一层一层处理最后再回到的客户端:
我们在一开始提到的粘包/拆包问题,也可以使用一个解码器解决:
1 2 3 4 channel.pipeline() .addLast(new FixedLengthFrameDecoder (10 )) ...
1 2 3 4 channel.pipeline() .addLast(new DelimiterBasedFrameDecoder (1024 , Unpooled.wrappedBuffer("!" .getBytes())))
1 2 3 4 5 channel.pipeline() .addLast(new LengthFieldBasedFrameDecoder (1024 , 0 , 4 )) .addLast(new StringDecoder ())
1 2 3 4 5 6 7 8 9 10 channel.pipeline() .addLast(new StringDecoder ()) .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { System.out.println(">> 接收到客户端发送的数据:" + msg); } }) .addLast(new LengthFieldPrepender (4 )) .addLast(new StringEncoder ());
有关编码器和解码器的内容就先介绍到这里。
实现HTTP协议通信 前面我们介绍了Netty为我们提供的编码器和解码器,这里我们就来使用一下支持HTTP协议的编码器和解码器。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 channel.pipeline() .addLast(new HttpRequestDecoder ()) .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { System.out.println("收到客户端的数据:" +msg.getClass()); FullHttpResponse response = new DefaultFullHttpResponse (HttpVersion.HTTP_1_1, HttpResponseStatus.OK); response.content().writeCharSequence("Hello World!" , StandardCharsets.UTF_8); ctx.channel().writeAndFlush(response); ctx.channel().close(); } }) .addLast(new HttpResponseEncoder ());
现在我们用浏览器访问一下我们的服务器吧:
可以看到浏览器成功接收到服务器响应,然后控制台打印了以下类型:
可以看到一次请求是一个DefaultHttpRequest+LastHttpContent$1,这里有两组是因为浏览器请求了一个地址之后紧接着请求了我们网站的favicon图标。
这样把数据分开处理肯定是不行的,要是直接整合成一个多好,安排:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 channel.pipeline() .addLast(new HttpRequestDecoder ()) .addLast(new HttpObjectAggregator (Integer.MAX_VALUE)) .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { FullHttpRequest request = (FullHttpRequest) msg; System.out.println("浏览器请求路径:" +request.uri()); FullHttpResponse response = new DefaultFullHttpResponse (HttpVersion.HTTP_1_1, HttpResponseStatus.OK); response.content().writeCharSequence("Hello World!" , StandardCharsets.UTF_8); ctx.channel().writeAndFlush(response); ctx.channel().close(); } }) .addLast(new HttpResponseEncoder ());
再次访问,我们发现可以正常读取请求路径了:
我们来试试看搞个静态页面代理玩玩,拿出我们的陈年老模板:
全部放进Resource文件夹,一会根据浏览器的请求路径,我们就可以返回对应的页面了,先安排一个解析器,用于解析路径然后将静态页面的内容返回:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 public class PageResolver { private static final PageResolver INSTANCE = new PageResolver (); private PageResolver () {} public static PageResolver getInstance () { return INSTANCE; } public FullHttpResponse resolveResource (String path) { if (path.startsWith("/" )) { path = path.equals("/" ) ? "index.html" : path.substring(1 ); try (InputStream stream = this .getClass().getClassLoader().getResourceAsStream(path)) { if (stream != null ) { byte [] bytes = new byte [stream.available()]; stream.read(bytes); return this .packet(HttpResponseStatus.OK, bytes); } } catch (IOException e){ e.printStackTrace(); } } return this .packet(HttpResponseStatus.NOT_FOUND, "404 Not Found!" .getBytes()); } private FullHttpResponse packet (HttpResponseStatus status, byte [] data) { FullHttpResponse response = new DefaultFullHttpResponse (HttpVersion.HTTP_1_1, status); response.content().writeBytes(data); return response; } }
现在我们的静态资源解析就写好了,接着:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 channel.pipeline() .addLast(new HttpRequestDecoder ()) .addLast(new HttpObjectAggregator (Integer.MAX_VALUE)) .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { FullHttpRequest request = (FullHttpRequest) msg; PageResolver resolver = PageResolver.getInstance(); ctx.channel().writeAndFlush(resolver.resolveResource(request.uri())); ctx.channel().close(); } }) .addLast(new HttpResponseEncoder ());
现在我们启动服务器来试试看吧:
可以看到页面可以正常展示了,是不是有Tomcat哪味了。
其他内置Handler介绍 Netty也为我们内置了一些其他比较好用的Handler,比如我们要打印日志:
1 2 3 4 5 channel.pipeline() .addLast(new HttpRequestDecoder ()) .addLast(new HttpObjectAggregator (Integer.MAX_VALUE)) .addLast(new LoggingHandler (LogLevel.INFO)) ...
日志级别我们选择INFO,现在我们用浏览器访问一下:
可以看到每次请求的内容和详细信息都会在日志中出现,包括详细的数据包解析过程,请求头信息都是完整地打印在控制台上的。
我们也可以使用Handler对IP地址进行过滤,比如我们不希望某些IP地址连接我们的服务器:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 channel.pipeline() .addLast(new HttpRequestDecoder ()) .addLast(new HttpObjectAggregator (Integer.MAX_VALUE)) .addLast(new RuleBasedIpFilter (new IpFilterRule () { @Override public boolean matches (InetSocketAddress inetSocketAddress) { return !inetSocketAddress.getHostName().equals("127.0.0.1" ); } @Override public IpFilterRuleType ruleType () { return IpFilterRuleType.REJECT; } }))
现在我们浏览器访问一下看看:
我们也可以对那些长期处于空闲的进行处理:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 channel.pipeline() .addLast(new StringDecoder ()) .addLast(new IdleStateHandler (10 , 10 , 0 )) .addLast(new ChannelInboundHandlerAdapter (){ @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { System.out.println("收到客户端数据:" +msg); ctx.channel().writeAndFlush("已收到!" ); } @Override public void userEventTriggered (ChannelHandlerContext ctx, Object evt) throws Exception { if (evt instanceof IdleStateEvent) { IdleStateEvent event = (IdleStateEvent) evt; if (event.state() == IdleState.WRITER_IDLE) { System.out.println("好久都没写了,看视频的你真的有认真在跟着敲吗" ); } else if (event.state() == IdleState.READER_IDLE) { System.out.println("已经很久很久没有读事件发生了,好寂寞" ); } } } }) .addLast(new StringEncoder ());
可以看到,当我们超过一段时间不发送数据时,就会这样:
通过这种机制,我们就可以直接关掉那些占着茅坑不拉屎的连接。
启动流程源码解读 前面我们完成了对Netty基本功能的讲解,我们最后就来看一下,Netty到底是如何启动以及进行数据处理的。
首先我们知道,整个服务端是在bind之后启动的,那么我们就从这里开始下手,不多BB直接上源码:
1 2 3 public ChannelFuture bind (int inetPort) { return this .bind(new InetSocketAddress (inetPort)); }
进来之后发现是调用的其他绑定方法,继续:
1 2 3 4 public ChannelFuture bind (SocketAddress localAddress) { this .validate(); return this .doBind((SocketAddress)ObjectUtil.checkNotNull(localAddress, "localAddress" )); }
我们继续往下看:
1 2 3 4 private ChannelFuture doBind (final SocketAddress localAddress) { final ChannelFuture regFuture = this .initAndRegister(); ... }
我们看看是怎么注册的:
1 2 3 4 5 6 7 8 9 10 11 12 final ChannelFuture initAndRegister () { Channel channel = null ; try { channel = this .channelFactory.newChannel(); this .init(channel); ... ChannelFuture regFuture = this .config().group().register(channel); ... return regFuture; }
我们来看看是如何对创建好的ServerSocketChannel进行初始化的:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 void init (Channel channel) { setChannelOptions(channel, this .newOptionsArray(), logger); setAttributes(channel, this .newAttributesArray()); ChannelPipeline p = channel.pipeline(); ... p.addLast(new ChannelHandler []{new ChannelInitializer <Channel>() { public void initChannel (final Channel ch) { final ChannelPipeline pipeline = ch.pipeline(); ChannelHandler handler = ServerBootstrap.this .config.handler(); if (handler != null ) { pipeline.addLast(new ChannelHandler []{handler}); } ch.eventLoop().execute(new Runnable () { public void run () { pipeline.addLast(new ChannelHandler []{new ServerBootstrapAcceptor (ch, currentChildGroup, currentChildHandler, currentChildOptions, currentChildAttrs)}); } }); } }}); }
我们来看一下,ServerBootstrapAcceptor怎么处理的,直接看到它的channelRead
方法:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 public void channelRead (ChannelHandlerContext ctx, Object msg) { final Channel child = (Channel)msg; child.pipeline().addLast(new ChannelHandler []{this .childHandler}); AbstractBootstrap.setChannelOptions(child, this .childOptions, ServerBootstrap.logger); AbstractBootstrap.setAttributes(child, this .childAttrs); try { this .childGroup.register(child).addListener(new ChannelFutureListener () { public void operationComplete (ChannelFuture future) throws Exception { if (!future.isSuccess()) { ServerBootstrap.ServerBootstrapAcceptor.forceClose(child, future.cause()); ...
所以,实际上就是我们之前讲解的主从Reactor多线程模型,只要前面理解了,这里其实很好推断。
初始化完成之后,我们来看看注册,在之前NIO阶段我们也是需要将Channel注册到对应的Selector才可以开始选择:
1 2 3 4 5 6 7 8 9 public ChannelFuture register (Channel channel) { return this .register((ChannelPromise)(new DefaultChannelPromise (channel, this ))); } public ChannelFuture register (ChannelPromise promise) { ObjectUtil.checkNotNull(promise, "promise" ); promise.channel().unsafe().register(this , promise); return promise; }
继续向下:
1 2 3 4 5 6 7 8 9 public final void register (EventLoop eventLoop, final ChannelPromise promise) { ... AbstractChannel.this .eventLoop = eventLoop; if (eventLoop.inEventLoop()) { this .register0(promise); } ... } }
继续:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 private void register0 (ChannelPromise promise) { try { ... boolean firstRegistration = this .neverRegistered; AbstractChannel.this .doRegister(); AbstractChannel.this .registered = true ; AbstractChannel.this .pipeline.invokeHandlerAddedIfNeeded(); this .safeSetSuccess(promise); if (AbstractChannel.this .isActive()) { if (firstRegistration) { AbstractChannel.this .pipeline.fireChannelActive(); } else if (AbstractChannel.this .config().isAutoRead()) { this .beginRead(); } } ... }
来到最后一级:
1 2 3 4 5 6 7 8 9 10 11 12 13 protected void doRegister () throws Exception { boolean selected = false ; while (true ) { try { this .selectionKey = this .javaChannel().register(this .eventLoop().unwrappedSelector(), 0 , this ); return ; ... } }
我们回到上一级,在doRegister完成之后,会拿到selectionKey,但是注意这时还没有监听任何事件,我们接着看到下面的fireChannelActive方法:
1 2 3 4 public final ChannelPipeline fireChannelActive () { AbstractChannelHandlerContext.invokeChannelActive(this .head); return this ; }
1 2 3 4 5 6 7 8 9 10 11 12 static void invokeChannelActive (final AbstractChannelHandlerContext next) { EventExecutor executor = next.executor(); if (executor.inEventLoop()) { next.invokeChannelActive(); } else { executor.execute(new Runnable () { public void run () { next.invokeChannelActive(); } }); } }
1 2 3 4 5 6 7 8 9 10 11 private void invokeChannelActive () { if (this .invokeHandler()) { try { ((ChannelInboundHandler)this .handler()).channelActive(this ); } catch (Throwable var2) { this .invokeExceptionCaught(var2); } } else { this .fireChannelActive(); } }
1 2 3 4 public void channelActive (ChannelHandlerContext ctx) { ctx.fireChannelActive(); this .readIfIsAutoRead(); }
1 2 3 4 5 private void readIfIsAutoRead () { if (DefaultChannelPipeline.this .channel.config().isAutoRead()) { DefaultChannelPipeline.this .channel.read(); } }
1 2 3 public void read (ChannelHandlerContext ctx) { this .unsafe.beginRead(); }
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 public final void beginRead () { this .assertEventLoop(); try { AbstractChannel.this .doBeginRead(); } catch (final Exception var2) { this .invokeLater(new Runnable () { public void run () { AbstractChannel.this .pipeline.fireExceptionCaught(var2); } }); this .close(this .voidPromise()); } }
1 2 3 4 5 6 7 8 9 10 protected void doBeginRead () throws Exception { SelectionKey selectionKey = this .selectionKey; if (selectionKey.isValid()) { this .readPending = true ; int interestOps = selectionKey.interestOps(); if ((interestOps & this .readInterestOp) == 0 ) { selectionKey.interestOps(interestOps | this .readInterestOp); } } }
这样,Channel在初始化完成之后也完成了底层的注册,已经可以开始等待事件了。
我们现在回到之前的doBind
方法的注册位置,现在注册完成之后,基本上整个主从Reactor结构就已经出来了,我们来看看还要做些什么:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 private ChannelFuture doBind (final SocketAddress localAddress) { final ChannelFuture regFuture = this .initAndRegister(); final Channel channel = regFuture.channel(); if (regFuture.cause() != null ) { return regFuture; } else if (regFuture.isDone()) { ChannelPromise promise = channel.newPromise(); doBind0(regFuture, channel, localAddress, promise); return promise; } else { final PendingRegistrationPromise promise = new PendingRegistrationPromise (channel); regFuture.addListener(new ChannelFutureListener () { public void operationComplete (ChannelFuture future) throws Exception { Throwable cause = future.cause(); if (cause != null ) { promise.setFailure(cause); } else { promise.registered(); AbstractBootstrap.doBind0(regFuture, channel, localAddress, promise); } } }); return promise; } }
可以看到最后都会走到doBind0
方法:
1 2 3 4 5 6 7 8 9 10 11 12 13 private static void doBind0 (final ChannelFuture regFuture, final Channel channel, final SocketAddress localAddress, final ChannelPromise promise) { channel.eventLoop().execute(new Runnable () { public void run () { if (regFuture.isSuccess()) { channel.bind(localAddress, promise).addListener(ChannelFutureListener.CLOSE_ON_FAILURE); } else { promise.setFailure(regFuture.cause()); } } }); }
至此,服务端的启动流程结束。我们前面还提到了NIO的空轮询问题,这里我们来看看Netty是如何解决的,我们直接定位到NioEventLoop中:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 while (true ) { boolean var34; try { ... try { if (!this .hasTasks()) { strategy = this .select(curDeadlineNanos); } ... ++selectCnt; this .cancelledKeys = 0 ; ... if (!ranTasks && strategy <= 0 ) { if (this .unexpectedSelectorWakeup(selectCnt)) { ...
我们来看看是怎么进行判断的:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 private boolean unexpectedSelectorWakeup (int selectCnt) { if (Thread.interrupted()) { if (logger.isDebugEnabled()) { logger.debug("Selector.select() returned prematurely because Thread.currentThread().interrupt() was called. Use NioEventLoop.shutdownGracefully() to shutdown the NioEventLoop." ); } return true ; } else if (SELECTOR_AUTO_REBUILD_THRESHOLD > 0 && selectCnt >= SELECTOR_AUTO_REBUILD_THRESHOLD) { logger.warn("Selector.select() returned prematurely {} times in a row; rebuilding Selector {}." , selectCnt, this .selector); this .rebuildSelector(); return true ; } else { return false ; } }
实际上,当每次空轮询发生时会有专门的计数器+1,如果空轮询的次数超过了512次,就认为其触发了空轮询bug,触发bug后,Netty直接重建一个Selector,将原来的Channel重新注册到新的 Selector上,将旧的 Selector关掉,这样就防止了无限循环。