Netty学习手册
Netty 是一个基于 Java 的高性能网络开发框架,专门用于快速开发可维护的高并发网络应用程序。它提供了异步事件驱动的网络应用程序框架和工具,支持多种协议(如 HTTP、TCP、UDP 等),并且具有高度的可扩展性和灵活性。Netty 通过其高效的线程模型和丰富的功能集,简化了网络编程的复杂性,使开发者能够更专注于业务逻辑的实现。
实用工具网站
目录
第 1 章 Netty 介绍和应用场景
1.1 本课程学习要求
本课程不适用于 0
基础的学员。
要求已经掌握了 Java
编程,主要技术构成:Java OOP
编程、Java
多线程编程、Java IO
编程、Java
网络编程、常用的 Java
设计模式(比如观察者模式,命令模式,职责链模式)、常用的数据结构(比如链表)。
本课程的《Netty
核心源码剖析章节》要求学员最好有项目开发和阅读源码的经历。
1.2 Netty 的介绍
Netty
是由 JBOSS
提供的一个 Java
开源框架,现为 Github
上的独立项目。
Netty
是一个异步的、基于事件驱动的网络应用框架,用以快速开发高性能、高可靠性的网络 IO
程序。
Netty
主要针对在 TCP
协议下,面向 Client
端的高并发应用,或者 Peer-to-Peer
场景下的大量数据持续传输的应用。
Netty
本质是一个 NIO
框架,适用于服务器通讯相关的多种应用场景。
要透彻理解 Netty
,需要先学习 NIO
,这样我们才能阅读 Netty
的源码。
1.3 Netty 的应用场景
1.3.1 互联网行业
互联网行业:在分布式系统中,各个节点之间需要远程服务调用,高性能的 RPC
框架必不可少,Netty
作为异步高性能的通信框架,往往作为基础通信组件被这些 RPC
框架使用。
典型的应用有:阿里分布式服务框架 Dubbo
的 RPC
框 架使用 Dubbo
协议进行节点间通信,Dubbo
协议默认使用 Netty
作为基础通信组件,用于实现各进程节点之间的内部通信。
1.3.2 游戏行业
无论是手游服务端还是大型的网络游戏,Java
语言得到了越来越广泛的应用。
Netty
作为高性能的基础通信组件,提供了 TCP/UDP
和 HTTP
协议栈,方便定制和开发私有协议栈,账号登录服务器。
地图服务器之间可以方便的通过 Netty
进行高性能的通信。
1.3.3 大数据领域
经典的 Hadoop
的高性能通信和序列化组件 Avro
的 RPC
框架,默认采用 Netty
进行跨界点通信。
它的 NettyService
基于 Netty
框架二次封装实现。
1.3.4 其它开源项目使用到 Netty
网址:https://netty.io/wiki/related-projects.html
1.4 Netty 的学习资料参考
第 3 章 Java NIO 编程
3.1 Java NIO 基本介绍
Java NIO
全称 Java non-blocking IO
,是指 JDK
提供的新 API
。从 JDK1.4
开始,Java
提供了一系列改进的输入/输出的新特性,被统称为 NIO
(即 NewIO
),是同步非阻塞的。
NIO
相关类都被放在 java.nio
包及子包下,并且对原 java.io
包中的很多类进行改写。【基本案例】
NIO
有三大核心部分: Channel
(通道)、Buffer
(缓冲区)、Selector
(选择器) 。
NIO
是面向缓冲区,或者面向块编程 的。数据读取到一个它稍后处理的缓冲区,需要时可在缓冲区中前后移动,这就增加了处理过程中的灵活性,使用它可以提供非阻塞式的高伸缩性网络。
Java NIO
的非阻塞模式,使一个线程从某通道发送请求或者读取数据,但是它仅能得到目前可用的数据,如果目前没有数据可用时,就什么都不会获取,而不是保持线程阻塞,所以直至数据变的可以读取之前,该线程可以继续做其他的事情。非阻塞写也是如此,一个线程请求写入一些数据到某通道,但不需要等待它完全写入,这个线程同时可以去做别的事情。【后面有案例说明】
通俗理解:NIO
是可以做到用一个线程来处理多个操作的。假设有 10000
个请求过来,根据实际情况,可以分配 50
或者 100
个线程来处理。不像之前的阻塞 IO
那样,非得分配 10000
个。
HTTP 2.0
使用了多路复用的技术,做到同一个连接并发处理多个请求,而且并发请求的数量比 HTTP 1.1
大了好几个数量级。
案例说明 NIO
的 Buffer
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 package com.atguigu.nio;import java.nio.IntBuffer;public class BasicBuffer { public static void main (String[] args) { IntBuffer intBuffer = IntBuffer.allocate(5 ); for (int i = 0 ; i < intBuffer.capacity(); i++) { intBuffer.put(i * 2 ); } intBuffer.flip(); while (intBuffer.hasRemaining()) { System.out.println(intBuffer.get()); } } }
3.2 NIO 和 BIO 的比较
BIO
以流的方式处理数据,而 NIO
以块的方式处理数据,块 I/O
的效率比流 I/O
高很多。
BIO
是阻塞的,NIO
则是非阻塞的。
BIO
基于字节流和字符流进行操作,而 NIO
基于 Channel
(通道)和 Buffer
(缓冲区)进行操作,数据总是从通道读取到缓冲区中,或者从缓冲区写入到通道中。Selector
(选择器)用于监听多个通道的事件(比如:连接请求,数据到达等),因此使用单个线程就可以监听多个客户端通道。
3.3 NIO 三大核心原理示意图
一张图描述 NIO
的 Selector
、Channel
和 Buffer
的关系。
3.3.1 Selector、Channel 和 Buffer 关系图(简单版)
关系图的说明:
每个 Channel
都会对应一个 Buffer
。
Selector
对应一个线程,一个线程对应多个 Channel
(连接)。
该图反应了有三个 Channel
注册到该 Selector
//程序
程序切换到哪个 Channel
是由事件决定的,Event
就是一个重要的概念。
Selector
会根据不同的事件,在各个通道上切换。
Buffer
就是一个内存块,底层是有一个数组。
数据的读取写入是通过 Buffer
,这个和 BIO
,BIO
中要么是输入流,或者是输出流,不能双向,但是 NIO
的 Buffer
是可以读也可以写,需要 flip
方法切换 Channel
是双向的,可以返回底层操作系统的情况,比如 Linux
,底层的操作系统通道就是双向的。
3.4 缓冲区(Buffer)
3.4.1 基本介绍
缓冲区(Buffer
):缓冲区本质上是一个可以读写数据的内存块 ,可以理解成是一个容器对象(含数组) ,该对象提供了一组方法,可以更轻松地使用内存块,,缓冲区对象内置了一些机制,能够跟踪和记录缓冲区的状态变化情况。Channel
提供从文件、网络读取数据的渠道,但是读取或写入的数据都必须由 Buffer
,如图:【后面举例说明】
3.4.2 Buffer 类及其子类
在 NIO
中,Buffer
是一个顶层父类,它是一个抽象类,类的层级关系图:
Buffer
类定义了所有的缓冲区都具有的四个属性来提供关于其所包含的数据元素的信息:
Buffer
类相关方法一览
3.4.3 ByteBuffer
从前面可以看出对于 Java
中的基本数据类型(boolean
除外),都有一个 Buffer
类型与之相对应,最常用的自然是 ByteBuffer
类(二进制数据),该类的主要方法如下:
3.5 通道(Channel)
3.6 基本介绍
NIO
的通道类似于流,但有些区别如下:
通道可以同时进行读写,而流只能读或者只能写
通道可以实现异步读写数据
通道可以从缓冲读数据,也可以写数据到缓冲:
BIO
中的 Stream
是单向的,例如 FileInputStream
对象只能进行读取数据的操作,而 NIO
中的通道(Channel
)是双向的,可以读操作,也可以写操作。
Channel
在 NIO
中是一个接口 public interface Channel extends Closeable{}
常用的 Channel
类有: FileChannel
、DatagramChannel
、ServerSocketChannel
和 SocketChannel
。【ServerSocketChanne
类似 ServerSocket
、SocketChannel
类似 Socket
】
FileChannel
用于文件的数据读写,DatagramChannel
用于 UDP
的数据读写,ServerSocketChannel
和 SocketChannel
用于 TCP
的数据读写。
图示
3.6.1 FileChannel 类
FileChannel
主要用来对本地文件进行 IO
操作,常见的方法有
public int read(ByteBuffer dst)
,从通道读取数据并放到缓冲区中
public int write(ByteBuffer src)
,把缓冲区的数据写到通道中
public long transferFrom(ReadableByteChannel src, long position, long count)
,从目标通道中复制数据到当前通道
public long transferTo(long position, long count, WritableByteChannel target)
,把数据从当前通道复制给目标通道
3.6.2 应用实例1 - 本地文件写数据
实例要求:
使用前面学习后的 ByteBuffer
(缓冲)和 FileChannel
(通道),将 “hello,尚硅谷” 写入到 file01.txt
中
文件不存在就创建
代码演示
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 package com.atguigu.nio;import java.io.FileOutputStream;import java.nio.ByteBuffer;import java.nio.channels.FileChannel;public class NIOFileChannel01 { public static void main (String[] args) throws Exception { String str = "hello,尚硅谷" ; FileOutputStream fileOutputStream = new FileOutputStream ("d:\\file01.txt" ); FileChannel fileChannel = fileOutputStream.getChannel(); ByteBuffer byteBuffer = ByteBuffer.allocate(1024 ); byteBuffer.put(str.getBytes()); byteBuffer.flip(); fileChannel.write(byteBuffer); fileOutputStream.close(); } }Copy to clipboardErrorCopied
3.6.3 应用实例2 - 本地文件读数据
实例要求:
使用前面学习后的 ByteBuffer
(缓冲)和 FileChannel
(通道),将 file01.txt
中的数据读入到程序,并显示在控制台屏幕
假定文件已经存在
代码演示
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 package com.atguigu.nio;import java.io.File;import java.io.FileInputStream;import java.nio.ByteBuffer;import java.nio.channels.FileChannel;public class NIOFileChannel02 { public static void main (String[] args) throws Exception { File file = new File ("d:\\file01.txt" ); FileInputStream fileInputStream = new FileInputStream (file); FileChannel fileChannel = fileInputStream.getChannel(); ByteBuffer byteBuffer = ByteBuffer.allocate((int )file.length()); fileChannel.read(byteBuffer); System.out.println(new String (byteBuffer.array())); fileInputStream.close(); } }Copy to clipboardErrorCopied
3.6.4 应用实例3 - 使用一个 Buffer 完成文件读取、写入
实例要求:
使用 FileChannel
(通道)和方法 read、write
,完成文件的拷贝
拷贝一个文本文件 1.txt
,放在项目下即可
代码演示
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 45 46 package com.atguigu.nio;import java.io.FileInputStream;import java.io.FileOutputStream;import java.nio.ByteBuffer;import java.nio.channels.FileChannel;public class NIOFileChannel03 { public static void main (String[] args) throws Exception { FileInputStream fileInputStream = new FileInputStream ("1.txt" ); FileChannel fileChannel01 = fileInputStream.getChannel(); FileOutputStream fileOutputStream = new FileOutputStream ("2.txt" ); FileChannel fileChannel02 = fileOutputStream.getChannel(); ByteBuffer byteBuffer = ByteBuffer.allocate(512 ); while (true ) { byteBuffer.clear(); int read = fileChannel01.read(byteBuffer); System.out.println("read = " + read); if (read == -1 ) { break ; } byteBuffer.flip(); fileChannel02.write(byteBuffer); } fileInputStream.close(); fileOutputStream.close(); } }Copy to clipboardErrorCopied
3.6.5 应用实例4 - 拷贝文件 transferFrom 方法
实例要求:
使用 FileChannel
(通道)和方法 transferFrom
,完成文件的拷贝
拷贝一张图片
代码演示
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 package com.atguigu.nio;import java.io.FileInputStream;import java.io.FileOutputStream;import java.nio.channels.FileChannel;public class NIOFileChannel04 { public static void main (String[] args) throws Exception { FileInputStream fileInputStream = new FileInputStream ("d:\\a.jpg" ); FileOutputStream fileOutputStream = new FileOutputStream ("d:\\a2.jpg" ); FileChannel sourceCh = fileInputStream.getChannel(); FileChannel destCh = fileOutputStream.getChannel(); destCh.transferFrom(sourceCh, 0 , sourceCh.size()); sourceCh.close(); destCh.close(); fileInputStream.close(); fileOutputStream.close(); } }Copy to clipboardErrorCopied
3.6.6 关于 Buffer 和 Channel 的注意事项和细节
ByteBuffer
支持类型化的 put
和 get
,put
放入的是什么数据类型,get
就应该使用相应的数据类型来取出,否则可能有 BufferUnderflowException
异常。【举例说明】
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 package com.atguigu.nio;import java.nio.ByteBuffer;public class NIOByteBufferPutGet { public static void main (String [] args) { ByteBuffer buffer = ByteBuffer.allocate (64 ); buffer.putInt (100 ); buffer.putLong (9 ); buffer.putChar ('尚' ); buffer.putShort ((short ) 4 ); buffer.flip (); System.out.println (); System.out.println (buffer.getInt ()); System.out.println (buffer.getLong ()); System.out.println (buffer.getChar ()); System.out.println (buffer.getShort ()); } }Copy to clipboardErrorCopied
可以将一个普通 Buffer
转成只读 Buffer
【举例说明】
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 package com.atguigu.nio;import java.nio.ByteBuffer;public class ReadOnlyBuffer { public static void main (String [] args) { ByteBuffer buffer = ByteBuffer.allocate (64 ); for (int i = 0 ; i < 64 ; i++) { buffer.put ((byte ) i); } buffer.flip (); ByteBuffer readOnlyBuffer = buffer.asReadOnlyBuffer (); System.out.println (readOnlyBuffer.getClass ()); while (readOnlyBuffer.hasRemaining ()) { System.out.println (readOnlyBuffer.get ()); } readOnlyBuffer.put ((byte ) 100 ); } }Copy to clipboardErrorCopied
NIO
还提供了 MappedByteBuffer
,可以让文件直接在内存(堆外的内存)中进行修改,而如何同步到文件由 NIO
来完成。【举例说明】
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 package com.atguigu.nio;import java.io.RandomAccessFile;import java.nio.MappedByteBuffer;import java.nio.channels.FileChannel;public class MappedByteBufferTest { public static void main (String[] args) throws Exception { RandomAccessFile randomAccessFile = new RandomAccessFile ("1.txt" , "rw" ); FileChannel channel = randomAccessFile.getChannel(); MappedByteBuffer mappedByteBuffer = channel.map(FileChannel.MapMode.READ_WRITE, 0 , 5 ); mappedByteBuffer.put(0 , (byte ) 'H' ); mappedByteBuffer.put(3 , (byte ) '9' ); mappedByteBuffer.put(5 , (byte ) 'Y' ); randomAccessFile.close(); System.out.println("修改成功~~" ); } }Copy to clipboardErrorCopied
前面我们讲的读写操作,都是通过一个 Buffer
完成的,NIO
还支持通过多个 Buffer
(即 Buffer
数组)完成读写操作,即 Scattering
和 Gathering
【举例说明】
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 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 package com.atguigu.nio;import java.net.InetSocketAddress;import java.nio.ByteBuffer;import java.nio.channels.ServerSocketChannel;import java.nio.channels.SocketChannel;import java.util.Arrays;public class ScatteringAndGatheringTest { public static void main (String[] args) throws Exception { ServerSocketChannel serverSocketChannel = ServerSocketChannel.open(); InetSocketAddress inetSocketAddress = new InetSocketAddress (7000 ); serverSocketChannel.socket().bind(inetSocketAddress); ByteBuffer[] byteBuffers = new ByteBuffer [2 ]; byteBuffers[0 ] = ByteBuffer.allocate(5 ); byteBuffers[1 ] = ByteBuffer.allocate(3 ); SocketChannel socketChannel = serverSocketChannel.accept(); int messageLength = 8 ; while (true ) { int byteRead = 0 ; while (byteRead < messageLength) { long l = socketChannel.read(byteBuffers); byteRead += l; System.out.println("byteRead = " + byteRead); Arrays.asList(byteBuffers).stream().map(buffer -> "position = " + buffer.position() + ", limit = " + buffer.limit()).forEach(System.out::println); } Arrays.asList(byteBuffers).forEach(buffer -> buffer.flip()); long byteWirte = 0 ; while (byteWirte < messageLength) { long l = socketChannel.write(byteBuffers); byteWirte += l; } Arrays.asList(byteBuffers).forEach(buffer -> { buffer.clear(); }); System.out.println("byteRead = " + byteRead + ", byteWrite = " + byteWirte + ", messagelength = " + messageLength); } } }Copy to clipboardErrorCopied
3.7 Selector(选择器)
3.7.1 基本介绍
Java
的 NIO
,用非阻塞的 IO
方式。可以用一个线程,处理多个的客户端连接,就会使用到 Selector
(选择器)。
Selector
能够检测多个注册的通道上是否有事件发生(注意:多个 Channel
以事件的方式可以注册到同一个 Selector
),如果有事件发生,便获取事件然后针对每个事件进行相应的处理。这样就可以只用一个单线程去管理多个通道,也就是管理多个连接和请求。【示意图】
只有在连接/通道真正有读写事件发生时,才会进行读写,就大大地减少了系统开销,并且不必为每个连接都创建一个线程,不用去维护多个线程。
避免了多线程之间的上下文切换导致的开销。
3.7.2 Selector 示意图和特点说明
说明如下:
Netty
的 IO
线程 NioEventLoop
聚合了 Selector
(选择器,也叫多路复用器),可以同时并发处理成百上千个客户端连接。
当线程从某客户端 Socket
通道进行读写数据时,若没有数据可用时,该线程可以进行其他任务。
线程通常将非阻塞 IO
的空闲时间用于在其他通道上执行 IO
操作,所以单独的线程可以管理多个输入和输出通道。
由于读写操作都是非阻塞的,这就可以充分提升 IO
线程的运行效率,避免由于频繁 I/O
阻塞导致的线程挂起。
一个 I/O
线程可以并发处理 N
个客户端连接和读写操作,这从根本上解决了传统同步阻塞 I/O
一连接一线程模型,架构的性能、弹性伸缩能力和可靠性都得到了极大的提升。
3.7.3 Selector 类相关方法
3.7.4 注意事项
NIO
中的 ServerSocketChannel
功能类似 ServerSocket
、SocketChannel
功能类似 Socket
。
Selector
相关方法说明
selector.select();
//阻塞
selector.select(1000);
//阻塞 1000 毫秒,在 1000 毫秒后返回
selector.wakeup();
//唤醒 selector
selector.selectNow();
//不阻塞,立马返还
3.8 NIO 非阻塞网络编程原理分析图
NIO
非阻塞网络编程相关的(Selector
、SelectionKey
、ServerScoketChannel
和 SocketChannel
)关系梳理图
对上图的说明:
当客户端连接时,会通过 ServerSocketChannel
得到 SocketChannel
。
Selector
进行监听 select
方法,返回有事件发生的通道的个数。
将 socketChannel
注册到 Selector
上,register(Selector sel, int ops)
,一个 Selector
上可以注册多个 SocketChannel
。
注册后返回一个 SelectionKey
,会和该 Selector
关联(集合)。
进一步得到各个 SelectionKey
(有事件发生)。
在通过 SelectionKey
反向获取 SocketChannel
,方法 channel()
。
可以通过得到的 channel
,完成业务处理。
代码撑腰。。。
3.9 NIO 非阻塞网络编程快速入门
案例要求:
编写一个 NIO
入门案例,实现服务器端和客户端之间的数据简单通讯(非阻塞)
目的:理解 NIO
非阻塞网络编程机制
看老师代码演示
3.10 SelectionKey
SelectionKey
,表示 Selector
和网络通道的注册关系,共四种:
int OP_ACCEPT
:有新的网络连接可以 accept
,值为 16
int OP_CONNECT
:代表连接已经建立,值为 8
int OP_READ
:代表读操作,值为 1
int OP_WRITE
:代表写操作,值为 4
源码中:
1 2 3 4 public static final int OP_READ = 1 << 0 ;public static final int OP_WRITE = 1 << 2 ;public static final int OP_CONNECT = 1 << 3 ;public static final int OP_ACCEPT = 1 << 4 ;Copy to clipboardErrorCopied
SelectionKey
相关方法
3.11 ServerSocketChannel
ServerSocketChannel
在服务器端监听新的客户端 Socket
连接
相关方法如下
3.12 SocketChannel
SocketChannel
,网络 IO
通道,具体负责进行读写操作。NIO
把缓冲区的数据写入通道,或者把通道里的数据读到缓冲区。
相关方法如下
3.13 NIO 网络编程应用实例 - 群聊系统
实例要求:
编写一个 NIO
群聊系统,实现服务器端和客户端之间的数据简单通讯(非阻塞)
实现多人群聊
服务器端:可以监测用户上线,离线,并实现消息转发功能
客户端:通过 Channel
可以无阻塞发送消息给其它所有用户,同时可以接受其它用户发送的消息(有服务器转发得到)
目的:进一步理解 NIO
非阻塞网络编程机制
示意图分析和代码
代码:
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 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 package com.atguigu.nio.groupchat;import java.io.IOException;import java.net.InetSocketAddress;import java.nio.ByteBuffer;import java.nio.channels.Channel;import java.nio.channels.SelectionKey;import java.nio.channels.Selector;import java.nio.channels.ServerSocketChannel;import java.nio.channels.SocketChannel;import java.util.Iterator;public class GroupChatServer { private Selector selector; private ServerSocketChannel listenChannel; private static final int PORT = 6667 ; public GroupChatServer () { try { selector = Selector.open(); listenChannel = ServerSocketChannel.open(); listenChannel.socket().bind(new InetSocketAddress (PORT)); listenChannel.configureBlocking(false ); listenChannel.register(selector, SelectionKey.OP_ACCEPT); } catch (IOException e) { e.printStackTrace(); } } public void listen () { try { while (true ) { int count = selector.select(); if (count > 0 ) { Iterator<SelectionKey> iterator = selector.selectedKeys().iterator(); while (iterator.hasNext()) { SelectionKey key = iterator.next(); if (key.isAcceptable()) { SocketChannel sc = listenChannel.accept(); sc.configureBlocking(false ); sc.register(selector, SelectionKey.OP_READ); System.out.println(sc.getRemoteAddress() + " 上线 " ); } if (key.isReadable()) { readData(key); } iterator.remove(); } } else { System.out.println("等待...." ); } } } catch (Exception e) { e.printStackTrace(); } finally { } } public void readData (SelectionKey key) { SocketChannel channel = null ; try { channel = (SocketChannel) key.channel(); ByteBuffer buffer = ByteBuffer.allocate(1024 ); int count = channel.read(buffer); if (count > 0 ) { String msg = new String (buffer.array()); System.out.println("form客户端:" + msg); sendInfoToOtherClients(msg, channel); } } catch (IOException e) { try { System.out.println(channel.getRemoteAddress() + "离线了.." ); key.cancel(); channel.close(); } catch (IOException e2) { e2.printStackTrace(); } } } private void sendInfoToOtherClients (String msg, SocketChannel self) throws IOException { System.out.println("服务器转发消息中..." ); for (SelectionKey key : selector.keys()) { Channel targetChannel = key.channel(); if (targetChannel instanceof SocketChannel && targetChannel != self) { SocketChannel dest = (SocketChannel) targetChannel; ByteBuffer buffer = ByteBuffer.wrap(msg.getBytes()); dest.write(buffer); } } } public static void main (String[] args) { GroupChatServer groupChatServer = new GroupChatServer (); groupChatServer.listen(); } }package com.atguigu.nio.groupchat;import java.io.IOException;import java.net.InetSocketAddress;import java.nio.ByteBuffer;import java.nio.channels.SelectionKey;import java.nio.channels.Selector;import java.nio.channels.SocketChannel;import java.util.Iterator;import java.util.Scanner;public class GroupChatClient { private final String HOST = "127.0.0.1" ; private final int PORT = 6667 ; private Selector selector; private SocketChannel socketChannel; private String username; public GroupChatClient () throws IOException { selector = Selector.open(); socketChannel = SocketChannel.open(new InetSocketAddress (HOST, PORT)); socketChannel.configureBlocking(false ); socketChannel.register(selector, SelectionKey.OP_READ); username = socketChannel.getLocalAddress().toString().substring(1 ); System.out.println(username + " is ok..." ); } public void sendInfo (String info) { info = username + " 说:" + info; try { socketChannel.write(ByteBuffer.wrap(info.getBytes())); } catch (IOException e) { e.printStackTrace(); } } public void readInfo () { try { int readChannels = selector.select(); if (readChannels > 0 ) { Iterator<SelectionKey> iterator = selector.selectedKeys().iterator(); while (iterator.hasNext()) { SelectionKey key = iterator.next(); if (key.isReadable()) { SocketChannel sc = (SocketChannel) key.channel(); ByteBuffer buffer = ByteBuffer.allocate(1024 ); sc.read(buffer); String msg = new String (buffer.array()); System.out.println(msg.trim()); } } iterator.remove(); } else { } } catch (Exception e) { e.printStackTrace(); } } public static void main (String[] args) throws Exception { GroupChatClient chatClient = new GroupChatClient (); new Thread () { public void run () { while (true ) { chatClient.readInfo(); try { Thread.currentThread().sleep(3000 ); } catch (InterruptedException e) { e.printStackTrace(); } } } }.start(); Scanner scanner = new Scanner (System.in); while (scanner.hasNextLine()) { String s = scanner.nextLine(); chatClient.sendInfo(s); } } }Copy to clipboardErrorCopied
3.14 NIO 与零拷贝
3.14.1 零拷贝基本介绍
零拷贝是网络编程的关键,很多性能优化都离不开。
在 Java
程序中,常用的零拷贝有 mmap
(内存映射)和 sendFile
。那么,他们在 OS
里,到底是怎么样的一个的设计?我们分析 mmap
和 sendFile
这两个零拷贝
另外我们看下 NIO
中如何使用零拷贝
3.14.2 传统 IO 数据读写
Java
传统 IO
和网络编程的一段代码
1 2 3 4 5 6 7 8 File file = new File ("test.txt" ); RandomAccessFile raf = new RandomAccessFile(file , "rw" );byte [] arr = new byte [(int ) file .length()]; raf.read (arr); Socket socket = new ServerSocket(8080 ).accept(); socket.getOutputStream().write (arr);Copy to clipboardErrorCopied
3.14.3 传统 IO 模型
DMA :direct memory access
直接内存拷贝(不使用 CPU
)
3.14.4 mmap 优化
mmap
通过内存映射,将文件映射到内核缓冲区,同时,用户空间可以共享内核空间的数据。这样,在进行网络传输时,就可以减少内核空间到用户空间的拷贝次数。如下图
mmap
示意图
3.14.5 sendFile 优化
Linux2.1
版本提供了 sendFile
函数,其基本原理如下:数据根本不经过用户态,直接从内核缓冲区进入到 SocketBuffer
,同时,由于和用户态完全无关,就减少了一次上下文切换
示意图和小结
提示:零拷贝从操作系统角度,是没有 cpu
拷贝
Linux在2.4
版本中,做了一些修改,避免了从内核缓冲区拷贝到 Socketbuffer
的操作,直接拷贝到协议栈,从而再一次减少了数据拷贝。具体如下图和小结:
这里其实有一次 cpu
拷贝 kernel buffer
-> socket buffer
但是,拷贝的信息很少,比如 lenght
、offset
消耗低,可以忽略
3.14.6 零拷贝的再次理解
我们说零拷贝,是从操作系统的角度来说的。因为内核缓冲区之间,没有数据是重复的(只有 kernel buffer
有一份数据)。
零拷贝不仅仅带来更少的数据复制,还能带来其他的性能优势,例如更少的上下文切换,更少的 CPU
缓存伪共享以及无 CPU
校验和计算。
3.14.7 mmap 和 sendFile 的区别
mmap
适合小数据量读写,sendFile
适合大文件传输。
mmap
需要 4
次上下文切换,3
次数据拷贝;sendFile
需要 3
次上下文切换,最少 2
次数据拷贝。
sendFile
可以利用 DMA
方式,减少 CPU
拷贝,mmap
则不能(必须从内核拷贝到 Socket
缓冲区)。
3.14.8 NIO 零拷贝案例
案例要求:
使用传统的 IO
方法传递一个大文件
使用 NIO
零拷贝方式传递(transferTo
)一个大文件
看看两种传递方式耗时时间分别是多少
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 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 NewIOServer.javapackage com.atguigu.nio.zerocopy;import java.net.InetSocketAddress;import java.net.ServerSocket;import java.nio.ByteBuffer;import java.nio.channels.ServerSocketChannel;import java.nio.channels.SocketChannel;public class NewIOServer { public static void main (String[] args) throws Exception { InetSocketAddress address = new InetSocketAddress (7001 ); ServerSocketChannel serverSocketChannel = ServerSocketChannel.open(); ServerSocket serverSocket = serverSocketChannel.socket(); serverSocket.bind(address); ByteBuffer byteBuffer = ByteBuffer.allocate(4096 ); while (true ) { SocketChannel socketChannel = serverSocketChannel.accept(); int readcount = 0 ; while (-1 != readcount) { try { readcount = socketChannel.read(byteBuffer); } catch (Exception ex) { break ; } byteBuffer.rewind(); } } } } NewIOClient.javapackage com.atguigu.nio.zerocopy;import java.io.FileInputStream;import java.net.InetSocketAddress;import java.nio.channels.FileChannel;import java.nio.channels.SocketChannel;public class NewIOClient { public static void main (String[] args) throws Exception { SocketChannel socketChannel = SocketChannel.open(); socketChannel.connect(new InetSocketAddress ("localhost" , 7001 )); String filename = "protoc-3.6.1-win32.zip" ; FileChannel fileChannel = new FileInputStream (filename).getChannel(); long startTime = System.currentTimeMillis(); long transferCount = fileChannel.transferTo(0 , fileChannel.size(), socketChannel); System.out.println("发送的总的字节数 = " + transferCount + " 耗时: " + (System.currentTimeMillis() - startTime)); fileChannel.close(); } }Copy to clipboardErrorCopied
3.15 Java AIO 基本介绍
JDK7
引入了 AsynchronousI/O
,即 AIO
。在进行 I/O
编程中,常用到两种模式:Reactor
和 Proactor
。Java
的 NIO
就是 Reactor
,当有事件触发时,服务器端得到通知,进行相应的处理
AIO
即 NIO2.0
,叫做异步不阻塞的 IO
。AIO
引入异步通道的概念,采用了 Proactor
模式,简化了程序编写,有效的请求才启动线程,它的特点是先由操作系统完成后才通知服务端程序启动线程去处理,一般适用于连接数较多且连接时间较长的应用
目前 AIO
还没有广泛应用,Netty
也是基于 NIO
,而不是 AIO
,因此我们就不详解 AIO
了,有兴趣的同学可以参考《Java新一代网络编程模型AIO原理及Linux系统AIO介绍》
3.16 BIO、NIO、AIO 对比表
BIO
NIO
AIO
IO模型
同步阻塞
同步非阻塞(多路复用)
异步非阻塞
编程难度
简单
复杂
复杂
可靠性
差
好
好
吞吐量
低
高
高
举例说明
同步阻塞:到理发店理发,就一直等理发师,直到轮到自己理发。
同步非阻塞:到理发店理发,发现前面有其它人理发,给理发师说下,先干其他事情,一会过来看是否轮到自己.
异步非阻塞:给理发师打电话,让理发师上门服务,自己干其它事情,理发师自己来家给你理发
第 4 章 Netty 概述
4.1 原生 NIO 存在的问题
NIO
的类库和 API
繁杂,使用麻烦:需要熟练掌握 Selector
、ServerSocketChannel
、SocketChannel
、ByteBuffer
等。
需要具备其他的额外技能:要熟悉 Java
多线程编程,因为 NIO
编程涉及到 Reactor
模式,你必须对多线程和网络编程非常熟悉,才能编写出高质量的 NIO
程序。
开发工作量和难度都非常大:例如客户端面临断连重连、网络闪断、半包读写、失败缓存、网络拥塞和异常流的处理等等。4. JDK NIO
的 Bug
:例如臭名昭著的 Epoll Bug
,它会导致 Selector
空轮询,最终导致 CPU100%
。直到 JDK1.7
版本该问题仍旧存在,没有被根本解决。
4.2 Netty 官网说明
官网:https://netty.io/
Netty is an asynchronous event-driven network application framework for rapid development of maintainable high performance protocol servers & clients.
4.3 Netty 的优点
Netty
对 JDK
自带的 NIO
的 API
进行了封装,解决了上述问题。
设计优雅:适用于各种传输类型的统一 API
阻塞和非阻塞 Socket
;基于灵活且可扩展的事件模型,可以清晰地分离关注点;高度可定制的线程模型-单线程,一个或多个线程池。
使用方便:详细记录的 Javadoc
,用户指南和示例;没有其他依赖项,JDK5(Netty3.x)
或 6(Netty4.x)
就足够了。
高性能、吞吐量更高:延迟更低;减少资源消耗;最小化不必要的内存复制。
安全:完整的 SSL/TLS
和 StartTLS
支持。
社区活跃、不断更新:社区活跃,版本迭代周期短,发现的 Bug
可以被及时修复,同时,更多的新功能会被加入。
4.4 Netty 版本说明
Netty
版本分为 Netty 3.x
和 Netty 4.x
、Netty 5.x
因为 Netty 5
出现重大 bug
,已经被官网废弃了,目前推荐使用的是 Netty 4.x
的稳定版本
目前在官网可下载的版本 Netty 3.x
、Netty 4.0.x
和 Netty 4.1.x
在本套课程中,我们讲解 Netty4.1.x
版本
Netty
下载地址:https://bintray.com/netty/downloads/netty/
第 5 章 Netty 高性能架构设计
5.1 线程模型基本介绍
不同的线程模式,对程序的性能有很大影响,为了搞清 Netty
线程模式,我们来系统的讲解下各个线程模式,最后看看 Netty
线程模型有什么优越性。
目前存在的线程模型有:传统阻塞 I/O
服务模型 Reactor
模式
根据 Reactor
的数量和处理资源池线程的数量不同,有 3
种典型的实现单 Reactor
单线程;单 Reactor
多线程;主从 Reactor
多线程
Netty
线程模式(Netty
主要基于主从 Reactor
多线程模型做了一定的改进,其中主从 Reactor
多线程模型有多个 Reactor
)
5.2 传统阻塞 I/O 服务模型
5.2.1 工作原理图
黄色的框表示对象,蓝色的框表示线程
白色的框表示方法(API
)
5.2.2 模型特点
采用阻塞 IO
模式获取输入的数据
每个连接都需要独立的线程完成数据的输入,业务处理,数据返回
5.2.3 问题分析
当并发数很大,就会创建大量的线程,占用很大系统资源
连接创建后,如果当前线程暂时没有数据可读,该线程会阻塞在 read
操作,造成线程资源浪费
5.3 Reactor 模式
5.3.1 针对传统阻塞 I/O 服务模型的 2 个缺点,解决方案:
基于 I/O
复用模型:多个连接共用一个阻塞对象,应用程序只需要在一个阻塞对象等待,无需阻塞等待所有连接。当某个连接有新的数据可以处理时,操作系统通知应用程序,线程从阻塞状态返回,开始进行业务处理 Reactor
对应的叫法:
反应器模式
分发者模式(Dispatcher)
通知者模式(notifier)
基于线程池复用线程资源:不必再为每个连接创建线程,将连接完成后的业务处理任务分配给线程进行处理,一个线程可以处理多个连接的业务。
5.3.2 I/O 复用结合线程池,就是 Reactor 模式基本设计思想,如图
对上图说明:
Reactor
模式,通过一个或多个输入同时传递给服务处理器的模式(基于事件驱动)
服务器端程序处理传入的多个请求,并将它们同步分派到相应的处理线程,因此 Reactor
模式也叫 Dispatcher
模式
Reactor
模式使用 IO
复用监听事件,收到事件后,分发给某个线程(进程),这点就是网络服务器高并发处理关键
5.3.3 Reactor 模式中核心组成
Reactor
:Reactor
在一个单独的线程中运行,负责监听和分发事件,分发给适当的处理程序来对 IO
事件做出反应。它就像公司的电话接线员,它接听来自客户的电话并将线路转移到适当的联系人;
Handlers
:处理程序执行 I/O
事件要完成的实际事件,类似于客户想要与之交谈的公司中的实际官员。Reactor
通过调度适当的处理程序来响应 I/O
事件,处理程序执行非阻塞操作。
5.3.4 Reactor 模式分类
根据 Reactor
的数量和处理资源池线程的数量不同,有 3
种典型的实现
单 Reactor
单线程
单 Reactor
多线程
主从 Reactor
多线程
5.4 单 Reactor 单线程
原理图,并使用 NIO
群聊系统验证
5.4.1 方案说明
Select
是前面 I/O
复用模型介绍的标准网络编程 API
,可以实现应用程序通过一个阻塞对象监听多路连接请求
Reactor
对象通过 Select
监控客户端请求事件,收到事件后通过 Dispatch
进行分发
如果是建立连接请求事件,则由 Acceptor
通过 Accept
处理连接请求,然后创建一个 Handler
对象处理连接完成后的后续业务处理
如果不是建立连接事件,则 Reactor
会分发调用连接对应的 Handler
来响应
Handler
会完成 Read
→ 业务处理 → Send
的完整业务流程
结合实例:服务器端用一个线程通过多路复用搞定所有的 IO
操作(包括连接,读、写等),编码简单,清晰明了,但是如果客户端连接数量较多,将无法支撑,前面的 NIO
案例就属于这种模型。
5.4.2 方案优缺点分析
优点:模型简单,没有多线程、进程通信、竞争的问题,全部都在一个线程中完成
缺点:性能问题,只有一个线程,无法完全发挥多核 CPU
的性能。Handler
在处理某个连接上的业务时,整个进程无法处理其他连接事件,很容易导致性能瓶颈
缺点:可靠性问题,线程意外终止,或者进入死循环,会导致整个系统通信模块不可用,不能接收和处理外部消息,造成节点故障
使用场景:客户端的数量有限,业务处理非常快速,比如 Redis
在业务处理的时间复杂度 O(1)
的情况
5.5 单 Reactor 多线程
5.5.1 原理图
5.5.2 对上图的小结
Reactor
对象通过 Select
监控客户端请求事件,收到事件后,通过 Dispatch
进行分发
如果建立连接请求,则右 Acceptor
通过 accept
处理连接请求,然后创建一个 Handler
对象处理完成连接后的各种事件
如果不是连接请求,则由 Reactor
分发调用连接对应的 handler
来处理
handler
只负责响应事件,不做具体的业务处理,通过 read
读取数据后,会分发给后面的 worker
线程池的某个线程处理业务
worker
线程池会分配独立线程完成真正的业务,并将结果返回给 handler
handler
收到响应后,通过 send
将结果返回给 client
5.5.3 方案优缺点分析
优点:可以充分的利用多核 cpu
的处理能力
缺点:多线程数据共享和访问比较复杂,Reactor
处理所有的事件的监听和响应,在单线程运行,在高并发场景容易出现性能瓶颈。
5.6 主从 Reactor 多线程
5.6.1 工作原理图
针对单 Reactor
多线程模型中,Reactor
在单线程中运行,高并发场景下容易成为性能瓶颈,可以让 Reactor
在多线程中运行
5.6.2 上图的方案说明
Reactor
主线程 MainReactor
对象通过 select
监听连接事件,收到事件后,通过 Acceptor
处理连接事件
当 Acceptor
处理连接事件后,MainReactor
将连接分配给 SubReactor
subreactor
将连接加入到连接队列进行监听,并创建 handler
进行各种事件处理
当有新事件发生时,subreactor
就会调用对应的 handler
处理
handler
通过 read
读取数据,分发给后面的 worker
线程处理
worker
线程池分配独立的 worker
线程进行业务处理,并返回结果
handler
收到响应的结果后,再通过 send
将结果返回给 client
Reactor
主线程可以对应多个 Reactor
子线程,即 MainRecator
可以关联多个 SubReactor
5.6.3 Scalable IO in Java 对 Multiple Reactors 的原理图解:
5.6.4 方案优缺点说明
优点:父线程与子线程的数据交互简单职责明确,父线程只需要接收新连接,子线程完成后续的业务处理。
优点:父线程与子线程的数据交互简单,Reactor
主线程只需要把新连接传给子线程,子线程无需返回数据。
缺点:编程复杂度较高
结合实例:这种模型在许多项目中广泛使用,包括 Nginx
主从 Reactor
多进程模型,Memcached
主从多线程,Netty
主从多线程模型的支持
5.7 Reactor 模式小结
5.7.1 3 种模式用生活案例来理解
单 Reactor
单线程,前台接待员和服务员是同一个人,全程为顾客服务
单 Reactor
多线程,1
个前台接待员,多个服务员,接待员只负责接待
主从 Reactor
多线程,多个前台接待员,多个服务生
5.7.2 Reactor 模式具有如下的优点
响应快,不必为单个同步时间所阻塞,虽然 Reactor
本身依然是同步的
可以最大程度的避免复杂的多线程及同步问题,并且避免了多线程/进程的切换开销
扩展性好,可以方便的通过增加 Reactor
实例个数来充分利用 CPU
资源
复用性好,Reactor
模型本身与具体事件处理逻辑无关,具有很高的复用性
5.8 Netty 模型
Netty
主要基于主从 Reactors
多线程模型(如图)做了一定的改进,其中主从 Reactor
多线程模型有多个 Reactor
5.8.2 对上图说明
BossGroup
线程维护 Selector
,只关注 Accecpt
当接收到 Accept
事件,获取到对应的 SocketChannel
,封装成 NIOScoketChannel
并注册到 Worker
线程(事件循环),并进行维护
当 Worker
线程监听到 Selector
中通道发生自己感兴趣的事件后,就进行处理(就由 handler
),注意 handler
已经加入到通道
5.8.3 工作原理示意图2 - 进阶版
5.8.4 工作原理示意图 - 详细版
5.8.5 对上图的说明小结
Netty
抽象出两组线程池 BossGroup
专门负责接收客户端的连接,WorkerGroup
专门负责网络的读写
BossGroup
和 WorkerGroup
类型都是 NioEventLoopGroup
NioEventLoopGroup
相当于一个事件循环组,这个组中含有多个事件循环,每一个事件循环是 NioEventLoop
NioEventLoop
表示一个不断循环的执行处理任务的线程,每个 NioEventLoop
都有一个 Selector
,用于监听绑定在其上的 socket
的网络通讯
NioEventLoopGroup
可以有多个线程,即可以含有多个 NioEventLoop
每个 BossNioEventLoop
循环执行的步骤有 3
步
轮询 accept
事件
处理 accept
事件,与 client
建立连接,生成 NioScocketChannel
,并将其注册到某个 worker
NIOEventLoop
上的 Selector
处理任务队列的任务,即 runAllTasks
每个 Worker
NIOEventLoop
循环执行的步骤
轮询 read
,write
事件
处理 I/O
事件,即 read
,write
事件,在对应 NioScocketChannel
处理
处理任务队列的任务,即 runAllTasks
每个 Worker
NIOEventLoop
处理业务时,会使用 pipeline
(管道),pipeline
中包含了 channel
,即通过 pipeline
可以获取到对应通道,管道中维护了很多的处理器
5.8.6 Netty 快速入门实例 - TCP 服务
实例要求:使用 IDEA
创建 Netty
项目
Netty
服务器在 6668
端口监听,客户端能发送消息给服务器"hello,服务器~"
服务器可以回复消息给客户端"hello,客户端~"
目的:对 Netty
线程模型有一个初步认识,便于理解 Netty
模型理论
看老师代码演示 5.1 编写服务端 5.2 编写客户端 5.3 对 netty
程序进行分析,看看 netty
模型特点 说明:创建 Maven
项目,并引入 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 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 NettyServer.javapackage com.atguigu.netty.simple;import io.netty.bootstrap.ServerBootstrap;import io.netty.channel.ChannelFuture;import io.netty.channel.ChannelFutureListener;import io.netty.channel.ChannelInitializer;import io.netty.channel.ChannelOption;import io.netty.channel.EventLoopGroup;import io.netty.channel.nio.NioEventLoopGroup;import io.netty.channel.socket.SocketChannel;import io.netty.channel.socket.nio.NioServerSocketChannel;public class NettyServer { public static void main (String[] args) throws Exception { EventLoopGroup bossGroup = new NioEventLoopGroup (1 ); EventLoopGroup workerGroup = new NioEventLoopGroup (); try { ServerBootstrap bootstrap = new ServerBootstrap (); bootstrap.group(bossGroup, workerGroup) .channel(NioServerSocketChannel.class) .option(ChannelOption.SO_BACKLOG, 128 ) .childOption(ChannelOption.SO_KEEPALIVE, true ) .childHandler(new ChannelInitializer <SocketChannel>() { @Override protected void initChannel (SocketChannel ch) throws Exception { System.out.println("客户socketchannel hashcode=" + ch.hashCode()); ch.pipeline().addLast(new NettyServerHandler ()); } }); System.out.println(".....服务器 is ready..." ); ChannelFuture cf = bootstrap.bind(6668 ).sync(); cf.addListener(new ChannelFutureListener () { @Override public void operationComplete (ChannelFuture future) throws Exception { if (cf.isSuccess()) { System.out.println("监听端口 6668 成功" ); } else { System.out.println("监听端口 6668 失败" ); } } }); cf.channel().closeFuture().sync(); }finally { bossGroup.shutdownGracefully(); workerGroup.shutdownGracefully(); } } } NettyServerHandler.javapackage com.atguigu.netty.simple;import io.netty.buffer.ByteBuf;import io.netty.buffer.Unpooled;import io.netty.channel.Channel;import io.netty.channel.ChannelHandlerContext;import io.netty.channel.ChannelInboundHandlerAdapter;import io.netty.channel.ChannelPipeline;import io.netty.util.CharsetUtil;public class NettyServerHandler extends ChannelInboundHandlerAdapter { @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { System.out.println("服务器读取线程 " + Thread.currentThread().getName() + " channle =" + ctx.channel()); System.out.println("server ctx =" + ctx); System.out.println("看看channel 和 pipeline的关系" ); Channel channel = ctx.channel(); ChannelPipeline pipeline = ctx.pipeline(); ByteBuf buf = (ByteBuf) msg; System.out.println("客户端发送消息是:" + buf.toString(CharsetUtil.UTF_8)); System.out.println("客户端地址:" + channel.remoteAddress()); } @Override public void channelReadComplete (ChannelHandlerContext ctx) throws Exception { ctx.writeAndFlush(Unpooled.copiedBuffer("hello, 客户端~(>^ω^<)喵1" , CharsetUtil.UTF_8)); } @Override public void exceptionCaught (ChannelHandlerContext ctx, Throwable cause) throws Exception { ctx.close(); } } NettyClient.javapackage com.atguigu.netty.simple;import io.netty.bootstrap.Bootstrap;import io.netty.channel.ChannelFuture;import io.netty.channel.ChannelInitializer;import io.netty.channel.EventLoopGroup;import io.netty.channel.nio.NioEventLoopGroup;import io.netty.channel.socket.SocketChannel;import io.netty.channel.socket.nio.NioSocketChannel;public class NettyClient { public static void main (String[] args) throws Exception { EventLoopGroup group = new NioEventLoopGroup (); try { Bootstrap bootstrap = new Bootstrap (); bootstrap.group(group) .channel(NioSocketChannel.class) .handler(new ChannelInitializer <SocketChannel>() { @Override protected void initChannel (SocketChannel ch) throws Exception { ch.pipeline().addLast(new NettyClientHandler ()); } }); System.out.println("客户端 ok.." ); ChannelFuture channelFuture = bootstrap.connect("127.0.0.1" , 6668 ).sync(); channelFuture.channel().closeFuture().sync(); } finally { group.shutdownGracefully(); } } } NettyClientHandler.javapackage com.atguigu.netty.simple;import io.netty.buffer.ByteBuf;import io.netty.buffer.Unpooled;import io.netty.channel.ChannelHandlerContext;import io.netty.channel.ChannelInboundHandlerAdapter;import io.netty.util.CharsetUtil;public class NettyClientHandler extends ChannelInboundHandlerAdapter { @Override public void channelActive (ChannelHandlerContext ctx) throws Exception { System.out.println("client " + ctx); ctx.writeAndFlush(Unpooled.copiedBuffer("hello, server: (>^ω^<)喵" , CharsetUtil.UTF_8)); } @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { ByteBuf buf = (ByteBuf) msg; System.out.println("服务器回复的消息:" + buf.toString(CharsetUtil.UTF_8)); System.out.println("服务器的地址: " + ctx.channel().remoteAddress()); } @Override public void exceptionCaught (ChannelHandlerContext ctx, Throwable cause) throws Exception { cause.printStackTrace(); ctx.close(); } }Copy to clipboardErrorCopiedCopy to clipboardErrorCopied
5.8.7 任务队列中的 Task 有 3 种典型使用场景
用户程序自定义的普通任务【举例说明】
用户自定义定时任务
非当前 Reactor
线程调用 Channel
的各种方法 例如在推送系统的业务线程里面,根据用户的标识,找到对应的 Channel
引用,然后调用 Write
类方法向该用户推送消息,就会进入到这种场景。最终的 Write
会提交到任务队列中后被异步消费
代码演示
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 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 package com.atguigu.netty.simple;import io.netty.buffer.Unpooled;import io.netty.channel.ChannelHandlerContext;import io.netty.channel.ChannelInboundHandlerAdapter;import io.netty.util.CharsetUtil;import java.util.concurrent.TimeUnit;public class NettyServerHandler extends ChannelInboundHandlerAdapter { @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { ctx.channel().eventLoop().execute(new Runnable () { @Override public void run () { try { Thread.sleep(5 * 1000 ); ctx.writeAndFlush(Unpooled.copiedBuffer("hello, 客户端~(>^ω^<)喵2" , CharsetUtil.UTF_8)); System.out.println("channel code=" + ctx.channel().hashCode()); } catch (Exception ex) { System.out.println("发生异常" + ex.getMessage()); } } }); ctx.channel().eventLoop().execute(new Runnable () { @Override public void run () { try { Thread.sleep(5 * 1000 ); ctx.writeAndFlush(Unpooled.copiedBuffer("hello, 客户端~(>^ω^<)喵3" , CharsetUtil.UTF_8)); System.out.println("channel code=" + ctx.channel().hashCode()); } catch (Exception ex) { System.out.println("发生异常" + ex.getMessage()); } } }); ctx.channel().eventLoop().schedule(new Runnable () { @Override public void run () { try { Thread.sleep(5 * 1000 ); ctx.writeAndFlush(Unpooled.copiedBuffer("hello, 客户端~(>^ω^<)喵4" , CharsetUtil.UTF_8)); System.out.println("channel code=" + ctx.channel().hashCode()); } catch (Exception ex) { System.out.println("发生异常" + ex.getMessage()); } } }, 5 , TimeUnit.SECONDS); System.out.println("go on ..." ); } @Override public void channelReadComplete (ChannelHandlerContext ctx) throws Exception { ctx.writeAndFlush(Unpooled.copiedBuffer("hello, 客户端~(>^ω^<)喵1" , CharsetUtil.UTF_8)); } @Override public void exceptionCaught (ChannelHandlerContext ctx, Throwable cause) throws Exception { ctx.close(); } }Copy to clipboardErrorCopiedCopy to clipboardErrorCopied
5.8.8 方案再说明
Netty
抽象出两组线程池,BossGroup
专门负责接收客户端连接,WorkerGroup
专门负责网络读写操作。
NioEventLoop
表示一个不断循环执行处理任务的线程,每个 NioEventLoop
都有一个 Selector
,用于监听绑定在其上的 socket
网络通道。
NioEventLoop
内部采用串行化设计,从消息的 读取->解码->处理->编码->发送 ,始终由 IO
线程 NioEventLoop
负责
NioEventLoopGroup
下包含多个 NioEventLoop
每个 NioEventLoop
中包含有一个 Selector
,一个 taskQueue
每个 NioEventLoop
的 Selector
上可以注册监听多个 NioChannel
每个 NioChannel
只会绑定在唯一的 NioEventLoop
上
每个 NioChannel
都绑定有一个自己的 ChannelPipeline
5.9 异步模型
5.9.1 基本介绍
异步的概念和同步相对。当一个异步过程调用发出后,调用者不能立刻得到结果。实际处理这个调用的组件在完成后,通过状态、通知和回调来通知调用者。
Netty
中的 I/O
操作是异步的,包括 Bind、Write、Connect
等操作会简单的返回一个 ChannelFuture
。
调用者并不能立刻获得结果,而是通过 Future-Listener
机制,用户可以方便的主动获取或者通过通知机制获得 IO
操作结果。
Netty
的异步模型是建立在 future
和 callback
的之上的。callback
就是回调。重点说 Future
,它的核心思想是:假设一个方法 fun
,计算过程可能非常耗时,等待 fun
返回显然不合适。那么可以在调用 fun
的时候,立马返回一个 Future
,后续可以通过 Future
去监控方法 fun
的处理过程(即:Future-Listener
机制)
5.9.2 Future 说明
表示异步的执行结果,可以通过它提供的方法来检测执行是否完成,比如检索计算等等。
ChannelFuture
是一个接口:public interface ChannelFuture extends Future<Void>
我们可以添加监听器,当监听的事件发生时,就会通知到监听器。案例说明
5.9.3 工作原理示意图
说明:
在使用 Netty
进行编程时,拦截操作和转换出入站数据只需要您提供 callback
或利用 future
即可。这使得链式操作简单、高效,并有利于编写可重用的、通用的代码。
Netty
框架的目标就是让你的业务逻辑从网络基础应用编码中分离出来、解脱出来。
5.9.4 Future-Listener 机制
当 Future
对象刚刚创建时,处于非完成状态,调用者可以通过返回的 ChannelFuture
来获取操作执行的状态,注册监听函数来执行完成后的操作。
常见有如下操作
通过 isDone
方法来判断当前操作是否完成;
通过 isSuccess
方法来判断已完成的当前操作是否成功;
通过 getCause
方法来获取已完成的当前操作失败的原因;
通过 isCancelled
方法来判断已完成的当前操作是否被取消;
通过 addListener
方法来注册监听器,当操作已完成(isDone
方法返回完成),将会通知指定的监听器;如果 Future
对象已完成,则通知指定的监听器
举例说明 演示:绑定端口是异步操作,当绑定操作处理完,将会调用相应的监听器处理逻辑
1 2 3 4 5 6 7 8 9 10 11 12 13 14 //绑定一个端口并且同步,生成了一个ChannelFuture对象 //启动服务器(并绑定端口) ChannelFuture cf = bootstrap.bind(6668 ).sync(); //给cf注册监听器,监控我们关心的事件 cf.addListener(new ChannelFutureListener() { @Override public void operationComplete (ChannelFuture future) throws Exception { if (cf.isSuccess()) { System .out .println("监听端口6668成功"); } else { System .out .println("监听端口6668失败"); } } });Copy to clipboardErrorCopiedCopy to clipboardErrorCopied
5.10 快速入门实例 - HTTP服务
实例要求:使用 IDEA
创建 Netty
项目
Netty
服务器在 6668
端口监听,浏览器发出请求 http://localhost:6668/
服务器可以回复消息给客户端"Hello!我是服务器5",并对特定请求资源进行过滤。
目的:Netty
可以做 Http
服务开发,并且理解 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 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 TestServer.javapackage com.atguigu.netty.http;import io.netty.bootstrap.ServerBootstrap;import io.netty.channel.ChannelFuture;import io.netty.channel.EventLoopGroup;import io.netty.channel.nio.NioEventLoopGroup;import io.netty.channel.socket.nio.NioServerSocketChannel;public class TestServer { public static void main (String[] args) throws Exception { EventLoopGroup bossGroup = new NioEventLoopGroup (1 ); EventLoopGroup workerGroup = new NioEventLoopGroup (); try { ServerBootstrap serverBootstrap = new ServerBootstrap (); serverBootstrap.group(bossGroup, workerGroup).channel(NioServerSocketChannel.class).childHandler(new TestServerInitializer ()); ChannelFuture channelFuture = serverBootstrap.bind(6668 ).sync(); channelFuture.channel().closeFuture().sync(); } finally { bossGroup.shutdownGracefully(); workerGroup.shutdownGracefully(); } } } TestServerInitializer.javapackage com.atguigu.netty.http;import io.netty.channel.ChannelInitializer;import io.netty.channel.ChannelPipeline;import io.netty.channel.socket.SocketChannel;import io.netty.handler.codec.http.HttpServerCodec;public class TestServerInitializer extends ChannelInitializer <SocketChannel> { @Override protected void initChannel (SocketChannel ch) throws Exception { ChannelPipeline pipeline = ch.pipeline(); pipeline.addLast("MyHttpServerCodec" , new HttpServerCodec ()); pipeline.addLast("MyTestHttpServerHandler" , new TestHttpServerHandler ()); System.out.println("ok~~~~" ); } } TestHttpServerHandler.javapackage com.atguigu.netty.http;import io.netty.buffer.ByteBuf;import io.netty.buffer.Unpooled;import io.netty.channel.ChannelHandlerContext;import io.netty.channel.SimpleChannelInboundHandler;import io.netty.handler.codec.http.*;import io.netty.util.CharsetUtil;import java.net.URI;public class TestHttpServerHandler extends SimpleChannelInboundHandler <HttpObject> { @Override protected void channelRead0 (ChannelHandlerContext ctx, HttpObject msg) throws Exception { System.out.println("对应的channel=" + ctx.channel() + " pipeline=" + ctx .pipeline() + " 通过pipeline获取channel" + ctx.pipeline().channel()); System.out.println("当前ctx的handler=" + ctx.handler()); if (msg instanceof HttpRequest) { System.out.println("ctx 类型=" + ctx.getClass()); System.out.println("pipeline hashcode" + ctx.pipeline().hashCode() + " TestHttpServerHandler hash=" + this .hashCode()); System.out.println("msg 类型=" + msg.getClass()); System.out.println("客户端地址" + ctx.channel().remoteAddress()); HttpRequest httpRequest = (HttpRequest) msg; URI uri = new URI (httpRequest.uri()); if ("/favicon.ico" .equals(uri.getPath())) { System.out.println("请求了 favicon.ico, 不做响应" ); return ; } ByteBuf content = Unpooled.copiedBuffer("hello, 我是服务器" , CharsetUtil.UTF_8); FullHttpResponse response = new DefaultFullHttpResponse (HttpVersion.HTTP_1_1, HttpResponseStatus.OK, content); response.headers().set(HttpHeaderNames.CONTENT_TYPE, "text/plain" ); response.headers().set(HttpHeaderNames.CONTENT_LENGTH, content.readableBytes()); ctx.writeAndFlush(response); } } }
第 6 章 Netty 核心模块组件
6.1 Bootstrap、ServerBootstrap
Bootstrap
意思是引导,一个 Netty
应用通常由一个 Bootstrap
开始,主要作用是配置整个 Netty
程序,串联各个组件,Netty
中 Bootstrap
类是客户端程序的启动引导类,ServerBootstrap
是服务端启动引导类。
常见的方法有
public ServerBootstrap group(EventLoopGroup parentGroup, EventLoopGroup childGroup)
,该方法用于服务器端,用来设置两个 EventLoop
public B group(EventLoopGroup group)
,该方法用于客户端,用来设置一个 EventLoop
public B channel(Class<? extends C> channelClass)
,该方法用来设置一个服务器端的通道实现
public <T> B option(ChannelOption<T> option, T value)
,用来给 ServerChannel
添加配置
public <T> ServerBootstrap childOption(ChannelOption<T> childOption, T value)
,用来给接收到的通道添加配置
public ServerBootstrap childHandler(ChannelHandler childHandler)
,该方法用来设置业务处理类(自定义的handler
)
public ChannelFuture bind(int inetPort)
,该方法用于服务器端,用来设置占用的端口号
public ChannelFuture connect(String inetHost, int inetPort)
,该方法用于客户端,用来连接服务器端
6.2 Future、ChannelFuture
Netty
中所有的 IO
操作都是异步的,不能立刻得知消息是否被正确处理。但是可以过一会等它执行完成或者直接注册一个监听,具体的实现就是通过 Future
和 ChannelFutures
,他们可以注册一个监听,当操作执行成功或失败时监听会自动触发注册的监听事件
常见的方法有
Channel channel()
,返回当前正在进行 IO
操作的通道
ChannelFuture sync()
,等待异步操作执行完毕
6.3 Channel
Netty
网络通信的组件,能够用于执行网络 I/O
操作。
通过 Channel
可获得当前网络连接的通道的状态
通过 Channel
可获得网络连接的配置参数(例如接收缓冲区大小)
Channel
提供异步的网络 I/O
操作(如建立连接,读写,绑定端口),异步调用意味着任何 I/O
调用都将立即返回,并且不保证在调用结束时所请求的 I/O
操作已完成
调用立即返回一个 ChannelFuture
实例,通过注册监听器到 ChannelFuture
上,可以 I/O
操作成功、失败或取消时回调通知调用方
支持关联 I/O
操作与对应的处理程序
不同协议、不同的阻塞类型的连接都有不同的 Channel
类型与之对应,常用的 Channel
类型:
NioSocketChannel
,异步的客户端 TCP
Socket
连接。
NioServerSocketChannel
,异步的服务器端 TCP
Socket
连接。
NioDatagramChannel
,异步的 UDP
连接。
NioSctpChannel
,异步的客户端 Sctp
连接。
NioSctpServerChannel
,异步的 Sctp
服务器端连接,这些通道涵盖了 UDP
和 TCP
网络 IO
以及文件 IO
。
6.4 Selector
Netty
基于 Selector
对象实现 I/O
多路复用,通过 Selector
一个线程可以监听多个连接的 Channel
事件。
当向一个 Selector
中注册 Channel
后,Selector
内部的机制就可以自动不断地查询(Select
)这些注册的 Channel
是否有已就绪的 I/O
事件(例如可读,可写,网络连接完成等),这样程序就可以很简单地使用一个线程高效地管理多个 Channel
6.5 ChannelHandler 及其实现类
ChannelHandler
是一个接口,处理 I/O
事件或拦截 I/O
操作,并将其转发到其 ChannelPipeline
(业务处理链)中的下一个处理程序。
ChannelHandler
本身并没有提供很多方法,因为这个接口有许多的方法需要实现,方便使用期间,可以继承它的子类
ChannelHandler
及其实现类一览图(后)
我们经常需要自定义一个 Handler
类去继承 ChannelInboundHandlerAdapter
,然后通过重写相应方法实现业务逻辑,我们接下来看看一般都需要重写哪些方法
6.6 Pipeline 和 ChannelPipeline
ChannelPipeline
是一个重点:
ChannelPipeline
是一个 Handler
的集合,它负责处理和拦截 inbound
或者 outbound
的事件和操作,相当于一个贯穿 Netty
的链。(也可以这样理解:ChannelPipeline
是保存 ChannelHandler
的 List
,用于处理或拦截 Channel
的入站事件和出站操作)
ChannelPipeline
实现了一种高级形式的拦截过滤器模式,使用户可以完全控制事件的处理方式,以及 Channel
中各个的 ChannelHandler
如何相互交互
在 Netty
中每个 Channel
都有且仅有一个 ChannelPipeline
与之对应,它们的组成关系如下
常用方法 ChannelPipeline addFirst(ChannelHandler... handlers)
,把一个业务处理类(handler
)添加到链中的第一个位置ChannelPipeline addLast(ChannelHandler... handlers)
,把一个业务处理类(handler
)添加到链中的最后一个位置
6.7 ChannelHandlerContext
保存 Channel
相关的所有上下文信息,同时关联一个 ChannelHandler
对象
即 ChannelHandlerContext
中包含一个具体的事件处理器 ChannelHandler
,同时 ChannelHandlerContext
中也绑定了对应的 pipeline
和 Channel
的信息,方便对 ChannelHandler
进行调用。
常用方法
ChannelFuture close()
,关闭通道
ChannelOutboundInvoker flush()
,刷新
ChannelFuture writeAndFlush(Object msg)
,将数据写到
ChannelPipeline
中当前 ChannelHandler
的下一个 ChannelHandler
开始处理(出站)
6.8 ChannelOption
Netty
在创建 Channel
实例后,一般都需要设置 ChannelOption
参数。
ChannelOption
参数如下:
6.9 EventLoopGroup 和其实现类 NioEventLoopGroup
EventLoopGroup
是一组 EventLoop
的抽象,Netty
为了更好的利用多核 CPU
资源,一般会有多个 EventLoop
同时工作,每个 EventLoop
维护着一个 Selector
实例。
EventLoopGroup
提供 next
接口,可以从组里面按照一定规则获取其中一个 EventLoop
来处理任务。在 Netty
服务器端编程中,我们一般都需要提供两个 EventLoopGroup
,例如:BossEventLoopGroup
和 WorkerEventLoopGroup
。
通常一个服务端口即一个 ServerSocketChannel
对应一个 Selector
和一个 EventLoop
线程。BossEventLoop
负责接收客户端的连接并将 SocketChannel
交给 WorkerEventLoopGroup
来进行 IO
处理,如下图所示
常用方法 public NioEventLoopGroup()
,构造方法 public Future<?> shutdownGracefully()
,断开连接,关闭线程
6.10 Unpooled 类
Netty
提供一个专门用来操作缓冲区(即 Netty
的数据容器)的工具类
常用方法如下所示
举例说明 Unpooled
获取 Netty
的数据容器 ByteBuf
的基本使用【案例演示】
案例 1
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 package com.atguigu.netty.buf;import io.netty.buffer.ByteBuf;import io.netty.buffer.Unpooled;public class NettyByteBuf01 { public static void main (String [] args) { ByteBuf buffer = Unpooled.buffer (10 ); for (int i = 0 ; i < 10 ; i++) { buffer.writeByte (i); } System.out.println ("capacity=" + buffer.capacity ()); for (int i = 0 ; i < buffer.capacity (); i++) { System.out.println (buffer.readByte ()); } System.out.println ("执行完毕" ); } }Copy to clipboardErrorCopied
案例 2
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 45 46 package com.atguigu.netty.buf;import io.netty.buffer.ByteBuf;import io.netty.buffer.Unpooled;import java.nio.charset.Charset;public class NettyByteBuf02 { public static void main(String[] args) { ByteBuf byteBuf = Unpooled.copiedBuffer("hello,world!" , Charset.forName("utf-8" )); if (byteBuf.hasArray()) { byte [] content = byteBuf.array(); System.out.println (new String(content, Charset.forName("utf-8" ))); System.out.println ("byteBuf=" + byteBuf); System.out.println (byteBuf.arrayOffset()); System.out.println (byteBuf.readerIndex()); System.out.println (byteBuf.writerIndex()); System.out.println (byteBuf.capacity()); System.out.println (byteBuf.getByte(0 )); int len = byteBuf.readableBytes(); System.out.println ("len=" + len); for (int i = 0 ; i < len; i++) { System.out.println ((char ) byteBuf.getByte(i)); } System.out.println (byteBuf.getCharSequence(0 , 4 , Charset.forName("utf-8" ))); System.out.println (byteBuf.getCharSequence(4 , 6 , Charset.forName("utf-8" ))); } } }Copy to clipboardErrorCopied
6.11 Netty 应用实例-群聊系统
实例要求:
编写一个 Netty
群聊系统,实现服务器端和客户端之间的数据简单通讯(非阻塞)
实现多人群聊
服务器端:可以监测用户上线,离线,并实现消息转发功能
客户端:通过 channel
可以无阻塞发送消息给其它所有用户,同时可以接受其它用户发送的消息(有服务器转发得到)
目的:进一步理解 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 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 package com.atguigu.netty.groupchat;import io.netty.bootstrap.ServerBootstrap;import io.netty.channel.*;import io.netty.channel.nio.NioEventLoopGroup;import io.netty.channel.socket.SocketChannel;import io.netty.channel.socket.nio.NioServerSocketChannel;import io.netty.handler.codec.string.StringDecoder;import io.netty.handler.codec.string.StringEncoder;public class GroupChatServer { private int port; public GroupChatServer (int port) { this .port = port; } public void run () throws Exception { EventLoopGroup bossGroup = new NioEventLoopGroup (1 ); EventLoopGroup workerGroup = new NioEventLoopGroup (); try { ServerBootstrap b = new ServerBootstrap (); b.group(bossGroup, workerGroup) .channel(NioServerSocketChannel.class) .option(ChannelOption.SO_BACKLOG, 128 ) .childOption(ChannelOption.SO_KEEPALIVE, true ) .childHandler(new ChannelInitializer <SocketChannel>() { @Override protected void initChannel (SocketChannel ch) throws Exception { ChannelPipeline pipeline = ch.pipeline(); pipeline.addLast("decoder" , new StringDecoder ()); pipeline.addLast("encoder" , new StringEncoder ()); pipeline.addLast(new GroupChatServerHandler ()); } }); System.out.println("netty 服务器启动" ); ChannelFuture channelFuture = b.bind(port).sync(); channelFuture.channel().closeFuture().sync(); } finally { bossGroup.shutdownGracefully(); workerGroup.shutdownGracefully(); } } public static void main (String[] args) throws Exception { new GroupChatServer (7000 ).run(); } }package com.atguigu.netty.groupchat;import io.netty.channel.Channel;import io.netty.channel.ChannelHandlerContext;import io.netty.channel.SimpleChannelInboundHandler;import io.netty.channel.group.ChannelGroup;import io.netty.channel.group.DefaultChannelGroup;import io.netty.util.concurrent.GlobalEventExecutor;import java.text.SimpleDateFormat;import java.util.ArrayList;import java.util.HashMap;import java.util.List;import java.util.Map;public class GroupChatServerHandler extends SimpleChannelInboundHandler <String> { private static ChannelGroup channelGroup = new DefaultChannelGroup (GlobalEventExecutor.INSTANCE); SimpleDateFormat sdf = new SimpleDateFormat ("yyyy-MM-dd HH:mm:ss" ); @Override public void handlerAdded (ChannelHandlerContext ctx) throws Exception { Channel channel = ctx.channel(); channelGroup.writeAndFlush("[客户端]" + channel.remoteAddress() + " 加入聊天" + sdf.format(new java .util.Date()) + " \n" ); channelGroup.add(channel); } @Override public void handlerRemoved (ChannelHandlerContext ctx) throws Exception { Channel channel = ctx.channel(); channelGroup.writeAndFlush("[客户端]" + channel.remoteAddress() + " 离开了\n" ); System.out.println("channelGroup size" + channelGroup.size()); } @Override public void channelActive (ChannelHandlerContext ctx) throws Exception { System.out.println(ctx.channel().remoteAddress() + " 上线了~" ); } @Override public void channelInactive (ChannelHandlerContext ctx) throws Exception { System.out.println(ctx.channel().remoteAddress() + " 离线了~" ); } @Override protected void channelRead0 (ChannelHandlerContext ctx, String msg) throws Exception { Channel channel = ctx.channel(); channelGroup.forEach(ch -> { if (channel != ch) { ch.writeAndFlush("[客户]" + channel.remoteAddress() + " 发送了消息" + msg + "\n" ); } else { ch.writeAndFlush("[自己]发送了消息" + msg + "\n" ); } }); } @Override public void exceptionCaught (ChannelHandlerContext ctx, Throwable cause) throws Exception { ctx.close(); } }package com.atguigu.netty.groupchat;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.codec.string.StringDecoder;import io.netty.handler.codec.string.StringEncoder;import java.util.Scanner;public class GroupChatClient { private final String host; private final int port; public GroupChatClient (String host, int port) { this .host = host; this .port = port; } public void run () throws Exception { EventLoopGroup group = new NioEventLoopGroup (); try { Bootstrap bootstrap = new Bootstrap () .group(group) .channel(NioSocketChannel.class) .handler(new ChannelInitializer <SocketChannel>() { @Override protected void initChannel (SocketChannel ch) throws Exception { ChannelPipeline pipeline = ch.pipeline(); pipeline.addLast("decoder" , new StringDecoder ()); pipeline.addLast("encoder" , new StringEncoder ()); pipeline.addLast(new GroupChatClientHandler ()); } }); ChannelFuture channelFuture = bootstrap.connect(host, port).sync(); Channel channel = channelFuture.channel(); System.out.println("-------" + channel.localAddress() + "--------" ); Scanner scanner = new Scanner (System.in); while (scanner.hasNextLine()) { String msg = scanner.nextLine(); channel.writeAndFlush(msg + "\r\n" ); } } finally { group.shutdownGracefully(); } } public static void main (String[] args) throws Exception { new GroupChatClient ("127.0.0.1" , 7000 ).run(); } }package com.atguigu.netty.groupchat;import io.netty.channel.ChannelHandlerContext;import io.netty.channel.SimpleChannelInboundHandler;public class GroupChatClientHandler extends SimpleChannelInboundHandler <String> { @Override protected void channelRead0 (ChannelHandlerContext ctx, String msg) throws Exception { System.out.println(msg.trim()); } }Copy to clipboardErrorCopied
6.12 Netty 心跳检测机制案例
实例要求:
编写一个 Netty
心跳检测机制案例,当服务器超过 3
秒没有读时,就提示读空闲
当服务器超过 5
秒没有写操作时,就提示写空闲
实现当服务器超过 7
秒没有读或者写操作时,就提示读写空闲
代码如下:
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 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 package com.atguigu.netty.heartbeat;import io.netty.bootstrap.ServerBootstrap;import io.netty.channel.ChannelFuture;import io.netty.channel.ChannelInitializer;import io.netty.channel.ChannelPipeline;import io.netty.channel.EventLoopGroup;import io.netty.channel.nio.NioEventLoopGroup;import io.netty.channel.socket.SocketChannel;import io.netty.channel.socket.nio.NioServerSocketChannel;import io.netty.handler.logging.LogLevel;import io.netty.handler.logging.LoggingHandler;import io.netty.handler.timeout.IdleStateHandler;import java.util.concurrent.TimeUnit;public class MyServer { public static void main (String[] args) throws Exception { EventLoopGroup bossGroup = new NioEventLoopGroup (1 ); EventLoopGroup workerGroup = new NioEventLoopGroup (); try { ServerBootstrap serverBootstrap = new ServerBootstrap (); serverBootstrap.group(bossGroup, workerGroup); serverBootstrap.channel(NioServerSocketChannel.class); serverBootstrap.handler(new LoggingHandler (LogLevel.INFO)); serverBootstrap.childHandler(new ChannelInitializer <SocketChannel>() { @Override protected void initChannel (SocketChannel ch) throws Exception { ChannelPipeline pipeline = ch.pipeline(); pipeline.addLast(new IdleStateHandler (7000 , 7000 , 10 , TimeUnit.SECONDS)); pipeline.addLast(new MyServerHandler ()); } }); ChannelFuture channelFuture = serverBootstrap.bind(7000 ).sync(); channelFuture.channel().closeFuture().sync(); } finally { bossGroup.shutdownGracefully(); workerGroup.shutdownGracefully(); } } }package com.atguigu.netty.heartbeat;import io.netty.channel.ChannelHandlerContext;import io.netty.channel.ChannelInboundHandlerAdapter;import io.netty.handler.timeout.IdleStateEvent;public class MyServerHandler extends ChannelInboundHandlerAdapter { @Override public void userEventTriggered (ChannelHandlerContext ctx, Object evt) throws Exception { if (evt instanceof IdleStateEvent) { IdleStateEvent event = (IdleStateEvent) evt; String eventType = null ; switch (event.state()) { case READER_IDLE: eventType = "读空闲" ; break ; case WRITER_IDLE: eventType = "写空闲" ; break ; case ALL_IDLE: eventType = "读写空闲" ; break ; } System.out.println(ctx.channel().remoteAddress() + "--超时时间--" + eventType); System.out.println("服务器做相应处理.." ); } } }Copy to clipboardErrorCopied
6.13 Netty 通过 WebSocket 编程实现服务器和客户端长连接
实例要求:
Http
协议是无状态的,浏览器和服务器间的请求响应一次,下一次会重新创建连接。
要求:实现基于 WebSocket
的长连接的全双工的交互
改变 Http
协议多次请求的约束,实现长连接了,服务器可以发送消息给浏览器
客户端浏览器和服务器端会相互感知,比如服务器关闭了,浏览器会感知,同样浏览器关闭了,服务器会感知
运行界面
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 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 package com.atguigu.netty.websocket;import io.netty.bootstrap.ServerBootstrap;import io.netty.channel.ChannelFuture;import io.netty.channel.ChannelInitializer;import io.netty.channel.ChannelPipeline;import io.netty.channel.EventLoopGroup;import io.netty.channel.nio.NioEventLoopGroup;import io.netty.channel.socket.SocketChannel;import io.netty.channel.socket.nio.NioServerSocketChannel;import io.netty.handler .codec.http.HttpObjectAggregator;import io.netty.handler .codec.http.HttpServerCodec;import io.netty.handler .codec.http.websocketx.WebSocketServerProtocolHandler;import io.netty.handler .logging.LogLevel;import io.netty.handler .logging.LoggingHandler;import io.netty.handler .stream.ChunkedWriteHandler;public class MyServer { public static void main(String[] args) throws Exception { //创建两个线程组 EventLoopGroup bossGroup = new NioEventLoopGroup(1 ); EventLoopGroup workerGroup = new NioEventLoopGroup(); //8 个NioEventLoop try { ServerBootstrap serverBootstrap = new ServerBootstrap(); serverBootstrap.group (bossGroup, workerGroup); serverBootstrap.channel(NioServerSocketChannel.class ); serverBootstrap.handler (new LoggingHandler(LogLevel.INFO )); serverBootstrap.childHandler(new ChannelInitializer<SocketChannel>() { @Override protected void initChannel(SocketChannel ch) throws Exception { ChannelPipeline pipeline = ch.pipeline(); //因为基于http协议,使用http的编码和解码器 pipeline.addLast(new HttpServerCodec()); //是以块方式写,添加ChunkedWriteHandler处理器 pipeline.addLast(new ChunkedWriteHandler()); pipeline.addLast(new HttpObjectAggregator(8192 )); pipeline.addLast(new WebSocketServerProtocolHandler("/hello2")); //自定义的handler ,处理业务逻辑 pipeline.addLast(new MyTextWebSocketFrameHandler()); } }); //启动服务器 ChannelFuture channelFuture = serverBootstrap.bind(7000 ).sync(); channelFuture.channel().closeFuture().sync(); } finally { bossGroup.shutdownGracefully(); workerGroup.shutdownGracefully(); } } } package com.atguigu.netty.websocket;import io.netty.channel.ChannelHandlerContext;import io.netty.channel.SimpleChannelInboundHandler;import io.netty.handler .codec.http.websocketx.TextWebSocketFrame;import java.time.LocalDateTime; //这里 TextWebSocketFrame 类型,表示一个文本帧(frame)public class MyTextWebSocketFrameHandler extends SimpleChannelInboundHandler<TextWebSocketFrame> { @Override protected void channelRead0(ChannelHandlerContext ctx, TextWebSocketFrame msg) throws Exception { System .out .println("服务器收到消息 " + msg.text()); //回复消息 ctx.channel().writeAndFlush(new TextWebSocketFrame("服务器时间" + LocalDateTime.now() + " " + msg.text())); } //当web客户端连接后, 触发方法 @Override public void handlerAdded(ChannelHandlerContext ctx) throws Exception { //id 表示唯一的值,LongText 是唯一的 ShortText 不是唯一 System .out .println("handlerAdded 被调用" + ctx.channel().id().asLongText()); System .out .println("handlerAdded 被调用" + ctx.channel().id().asShortText()); } @Override public void handlerRemoved(ChannelHandlerContext ctx) throws Exception { System .out .println("handlerRemoved 被调用" + ctx.channel().id().asLongText()); } @Override public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) throws Exception { System .out .println("异常发生 " + cause.getMessage()); ctx.close (); //关闭连接 } } hello.html <!DOCTYPE html> <html lang="en"> <head><meta charset="UTF-8"> <title>Title</title> </head> <body><script>var socket; //判断当前浏览器是否支持websocket if (window .WebSocket) { //go on socket = new WebSocket("ws://localhost:7000/hello2"); //相当于channelReado, ev 收到服务器端回送的消息 socket.onmessage = function (ev) { var rt = document.getElementById("responseText"); rt.value = rt.value + "\n" + ev.data; } //相当于连接开启(感知到连接开启) socket.onopen = function (ev) { var rt = document.getElementById("responseText"); rt.value = "连接开启了.." } //相当于连接关闭(感知到连接关闭) socket.onclose = function (ev) { var rt = document.getElementById("responseText"); rt.value = rt.value + "\n" + "连接关闭了.." } } else { alert("当前浏览器不支持websocket") } //发送消息到服务器 function send(message) { if (!window .socket) { //先判断socket是否创建好 return ; } if (socket.readyState == WebSocket.OPEN ) { //通过socket 发送消息 socket.send(message) } else { alert("连接没有开启"); } } </script> <form onsubmit="return false"> <textarea name ="message" style="height: 300px; width: 300px"></textarea> <input type ="button" value ="发生消息" onclick="send(this.form.message.value)"> <textarea id="responseText" style="height: 300px; width: 300px"></textarea> <input type ="button" value ="清空内容" onclick="document.getElementById('responseText').value=''"> </form> </body> </html>
第 7 章 Google Protobuf
7.1 编码和解码的基本介绍
编写网络应用程序时,因为数据在网络中传输的都是二进制字节码数据,在发送数据时就需要编码,接收数据时就需要解码[示意图]
codec
(编解码器)的组成部分有两个:decoder
(解码器)和 encoder
(编码器)。encoder
负责把业务数据转换成字节码数据,decoder
负责把字节码数据转换成业务数据
7.2 Netty 本身的编码解码的机制和问题分析
Netty
自身提供了一些 codec
(编解码器)
Netty
提供的编码器 StringEncoder
,对字符串数据进行编码 ObjectEncoder
,对Java对象进行编码…
Netty
提供的解码器 StringDecoder
,对字符串数据进行解码 ObjectDecoder
,对 Java
对象进行解码…
Netty
本身自带的 ObjectDecoder
和 ObjectEncoder
可以用来实现 POJO
对象或各种业务对象的编码和解码,底层使用的仍是Java序列化技术,而Java序列化技术本身效率就不高,存在如下问题
无法跨语言
序列化后的体积太大,是二进制编码的5倍多。
序列化性能太低
=>引出新的解决方案[Google
的 Protobuf
]
7.3 Protobuf
Protobuf
基本介绍和使用示意图
Protobuf
是 Google
发布的开源项目,全称 Google Protocol Buffers
,是一种轻便高效的结构化数据存储格式,可以用于结构化数据串行化,或者说序列化。它很适合做数据存储或 RPC
[远程过程调用 remote procedure call
]数据交换格式。目前很多公司 http + json tcp + protobuf
参考文档:https://developers.google.com/protocol-buffers/docs/proto 语言指南
Protobuf
是以 message
的方式来管理数据的.
支持跨平台、跨语言,即[客户端和服务器端可以是不同的语言编写的](支持目前绝大多数语言,例如 C++
、C#
、Java
、python
等)
高性能,高可靠性
使用 protobuf
编译器能自动生成代码,Protobuf
是将类的定义使用 .proto
文件进行描述。说明,在 idea
中编写 .proto
文件时,会自动提示是否下载 .ptoto
编写插件.可以让语法高亮。
然后通过 protoc.exe
编译器根据 .proto
自动生成 .java
文件
protobuf
使用示意图
7.4 Protobuf 快速入门实例
编写程序,使用 Protobuf
完成如下功能
客户端可以发送一个 StudentPoJo
对象到服务器(通过 Protobuf
编码)
服务端能接收 StudentPoJo
对象,并显示信息(通过 Protobuf
解码)
具体看老师演示步骤
1 2 3 4 5 6 7 8 9 10 11 12 13 Student.protosyntax = "proto3" option java_outer_classname = "StudentPOJO" //protobuf 使用message 管理数据 message Student { //会在 StudentPOJO 外部类生成一个内部类 Student, 他是真正发送的POJO对象 int32 id = 1 string name = 2 } 编译 protoc.exe--java_out= .Student.proto 将生成的 StudentPOJO 放入到项目使用Copy to clipboardErrorCopied
7.5 Protobuf 快速入门实例 2
编写程序,使用 Protobuf
完成如下功能
客户端可以随机发送 StudentPoJo
/ WorkerPoJo
对象到服务器(通过 Protobuf
编码)
服务端能接收 StudentPoJo
/ WorkerPoJo
对象(需要判断是哪种类型),并显示信息(通过 Protobuf
解码)
具体看老师演示步骤
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 Student.proto syntax = "proto3" ;option optimize_for = SPEED; option java_package="com.atguigu.netty.codec2" ; option java_outer_classname="MyDataInfo" ; message MyMessage { enum DataType { StudentType = 0 ; WorkerType = 1 ; } DataType data_type = 1 ; oneof dataBody { Student student = 2 ; Worker worker = 3 ; } }message Student { int32 id = 1 ; string name = 2 ; }message Worker { string name=1 ; int32 age=2 ; }
第 8 章 Netty 编解码器和 Handler 调用机制
8.1 基本说明
Netty
的组件设计:Netty
的主要组件有 Channel
、EventLoop
、ChannelFuture
、ChannelHandler
、ChannelPipe
等
ChannelHandler
充当了处理入站和出站数据的应用程序逻辑的容器。例如,实现 ChannelInboundHandler
接口(或 ChannelInboundHandlerAdapter
),你就可以接收入站事件和数据,这些数据会被业务逻辑处理。当要给客户端发送响应时,也可以从 ChannelInboundHandler
冲刷数据。业务逻辑通常写在一个或者多个 ChannelInboundHandler
中。ChannelOutboundHandler
原理一样,只不过它是用来处理出站数据的
ChannelPipeline
提供了 ChannelHandler
链的容器。以客户端应用程序为例,如果事件的运动方向是从客户端到服务端的,那么我们称这些事件为出站的,即客户端发送给服务端的数据会通过 pipeline
中的一系列 ChannelOutboundHandler
,并被这些 Handler
处理,反之则称为入站的
8.2编码解码器
当 Netty
发送或者接受一个消息的时候,就将会发生一次数据转换。入站消息会被解码:从字节转换为另一种格式(比如 java
对象);如果是出站消息,它会被编码成字节。
Netty
提供一系列实用的编解码器,他们都实现了 ChannelInboundHadnler
或者 ChannelOutboundHandler
接口。在这些类中,channelRead
方法已经被重写了。以入站为例,对于每个从入站 Channel
读取的消息,这个方法会被调用。随后,它将调用由解码器所提供的 decode()
方法进行解码,并将已经解码的字节转发给 ChannelPipeline
中的下一个 ChannelInboundHandler
。
8.3 解码器 - ByteToMessageDecoder
关系继承图
由于不可能知道远程节点是否会一次性发送一个完整的信息,tcp
有可能出现粘包拆包的问题,这个类会对入站数据进行缓冲,直到它准备好被处理.
一个关于 ByteToMessageDecoder
实例分析
8.4 Netty 的 handler 链的调用机制
实例要求:
使用自定义的编码器和解码器来说明 Netty
的 handler
调用机制 客户端发送 long
-> 服务器 服务端发送 long
-> 客户端
案例演示
结论
不论解码器 handler
还是编码器 handler
即接收的消息类型必须与待处理的消息类型一致,否则该 handler
不会被执行
在解码器进行数据解码时,需要判断缓存区(ByteBuf
)的数据是否足够,否则接收到的结果会期望结果可能不一致
8.5 解码器 - ReplayingDecoder
public abstract class ReplayingDecoder<S> extends ByteToMessageDecoder
ReplayingDecoder
扩展了 ByteToMessageDecoder
类,使用这个类,我们不必调用 readableBytes()
方法。参数 S
指定了用户状态管理的类型,其中 Void
代表不需要状态管理
应用实例:使用 ReplayingDecoder
编写解码器,对前面的案例进行简化[案例演示]
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 package com.atguigu.netty.inboundhandlerandoutboundhandler;import io.netty.buffer.ByteBuf ;import io.netty.channel.ChannelHandlerContext ;import io.netty.handler.codec.ReplayingDecoder ;import java.util.List ; public class MyByteToLongDecoder2 extends ReplayingDecoder<Void> { @Override protected void decode(ChannelHandlerContext ctx, ByteBuf in, List <Object > out) throws Exception { System .out.println("MyByteToLongDecoder2 被调用" ); out.add(in.readLong()); } }Copy to clipboardErrorCopied
ReplayingDecoder
使用方便,但它也有一些局限性:
并不是所有的 ByteBuf
操作都被支持,如果调用了一个不被支持的方法,将会抛出一个 UnsupportedOperationException
。
ReplayingDecoder
在某些情况下可能稍慢于 ByteToMessageDecoder
,例如网络缓慢并且消息格式复杂时,消息会被拆成了多个碎片,速度变慢
8.6 其它编解码器
8.6.1 其它解码器
LineBasedFrameDecoder
:这个类在 Netty
内部也有使用,它使用行尾控制字符(\n或者\r\n)作为分隔符来解析数据。
DelimiterBasedFrameDecoder
:使用自定义的特殊字符作为消息的分隔符。
HttpObjectDecoder
:一个 HTTP
数据的解码器
LengthFieldBasedFrameDecoder
:通过指定长度来标识整包消息,这样就可以自动的处理黏包和半包消息。
8.6.2 其它编码器
8.7 Log4j 整合到 Netty
在 Maven
中添加对 Log4j
的依赖在 pom.xml
1 <dependency > <groupId > log4j</groupId > <artifactId > log4j</artifactId > <version > 1.2.17</version > </dependency > <dependency > <groupId > org.slf4j</groupId > <artifactId > slf4j-api</artifactId > <version > 1.7.25</version > </dependency > <dependency > <groupId > org.slf4j</groupId > <artifactId > slf4j-log4j12</artifactId > <version > 1.7.25</version > <scope > test</scope > </dependency > <dependency > <groupId > org.slf4j</groupId > <artifactId > slf4j-simple</artifactId > <version > 1.7.25</version > <scope > test</scope > </dependency > Copy to clipboardErrorCopied
配置 Log4j
,在 resources/log4j.properties
1 2 3 4 log4j.rootLogger =DEBUG,stdoutlog4j.appender.stdout =org.apache.log4j.ConsoleAppenderlog4j.appender.stdout.layout =org.apache.log4j.PatternLayoutlog4j.appender.stdout.layout.ConversionPattern =[%p]%C{1 }-%m%nCopy to clipboardErrorCopied
演示整合
第 9 章 TCP 粘包和拆包及解决方案
9.1 TCP 粘包和拆包基本介绍
TCP
是面向连接的,面向流的,提供高可靠性服务。收发两端(客户端和服务器端)都要有一一成对的 socket
,因此,发送端为了将多个发给接收端的包,更有效的发给对方,使用了优化方法(Nagle
算法),将多次间隔较小且数据量小的数据,合并成一个大的数据块,然后进行封包。这样做虽然提高了效率,但是接收端就难于分辨出完整的数据包了,因为面向流的通信是无消息保护边界的
由于 TCP
无消息保护边界,需要在接收端处理消息边界问题,也就是我们所说的粘包、拆包问题,看一张图
示意图 TCP
粘包、拆包图解
对图的说明: 假设客户端分别发送了两个数据包 D1
和 D2
给服务端,由于服务端一次读取到字节数是不确定的,故可能存在以下四种情况:
服务端分两次读取到了两个独立的数据包,分别是 D1
和 D2
,没有粘包和拆包
服务端一次接受到了两个数据包,D1
和 D2
粘合在一起,称之为 TCP
粘包
服务端分两次读取到了数据包,第一次读取到了完整的 D1
包和 D2
包的部分内容,第二次读取到了 D2
包的剩余内容,这称之为 TCP
拆包
服务端分两次读取到了数据包,第一次读取到了 D1
包的部分内容 D1_1
,第二次读取到了 D1
包的剩余部分内容 D1_2
和完整的 D2
包。
9.2 TCP 粘包和拆包现象实例
在编写 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 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 MyClientHandler.javapackage com.atguigu.netty.tcp;import io.netty.buffer.ByteBuf;import io.netty.buffer.Unpooled;import io.netty.channel.ChannelHandlerContext;import io.netty.channel.SimpleChannelInboundHandler;import java.nio.charset.Charset;public class MyClientHandler extends SimpleChannelInboundHandler <ByteBuf> { private int count; @Override public void channelActive (ChannelHandlerContext ctx) throws Exception { for (int i = 0 ; i < 10 ; ++i) { ByteBuf buffer = Unpooled.copiedBuffer("hello,server " + i, Charset.forName("utf-8" )); ctx.writeAndFlush(buffer); } } @Override protected void channelRead0 (ChannelHandlerContext ctx, ByteBuf msg) throws Exception { byte [] buffer = new byte [msg.readableBytes()]; msg.readBytes(buffer); String message = new String (buffer, Charset.forName("utf-8" )); System.out.println("客户端接收到消息=" + message); System.out.println("客户端接收消息数量=" + (++this .count)); } @Override public void exceptionCaught (ChannelHandlerContext ctx, Throwable cause) throws Exception { cause.printStackTrace(); ctx.close(); } } MyServerHandler.javapackage com.atguigu.netty.tcp;import io.netty.buffer.ByteBuf;import io.netty.buffer.Unpooled;import io.netty.channel.ChannelHandlerContext;import io.netty.channel.SimpleChannelInboundHandler;import java.nio.charset.Charset;import java.util.UUID;public class MyServerHandler extends SimpleChannelInboundHandler <ByteBuf> { private int count; @Override public void exceptionCaught (ChannelHandlerContext ctx, Throwable cause) throws Exception { ctx.close(); } @Override protected void channelRead0 (ChannelHandlerContext ctx, ByteBuf msg) throws Exception { byte [] buffer = new byte [msg.readableBytes()]; msg.readBytes(buffer); String message = new String (buffer, Charset.forName("utf-8" )); System.out.println("服务器接收到数据 " + message); System.out.println("服务器接收到消息量=" + (++this .count)); ByteBuf responseByteBuf = Unpooled.copiedBuffer(UUID.randomUUID().toString() + " " , Charset.forName("utf-8" )); ctx.writeAndFlush(responseByteBuf); } } Copy to clipboardErrorCopied
9.3 TCP 粘包和拆包解决方案
使用自定义协议+编解码器来解决
关键就是要解决服务器端每次读取数据长度的问题,这个问题解决,就不会出现服务器多读或少读数据的问题,从而避免的 TCP
粘包、拆包。
要求客户端发送 5
个 Message
对象,客户端每次发送一个 Message
对象
服务器端每次接收一个 Message
,分 5
次进行解码,每读取到一个 Message
,会回复一个 Message
对象给客户端。
代码演示,全部代码核心
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 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 package com.atguigu.netty.protocoltcp;public class MessageProtocol { private int len; private byte [] content; public int getLen () { return len; } public void setLen (int len) { this .len = len; } public byte [] getContent() { return content; } public void setContent (byte [] content) { this .content = content; } }package com.atguigu.netty.protocoltcp;import io.netty.channel.ChannelHandlerContext;import io.netty.channel.SimpleChannelInboundHandler;import java.nio.charset.Charset;public class MyClientHandler extends SimpleChannelInboundHandler <MessageProtocol> { private int count; @Override public void channelActive (ChannelHandlerContext ctx) throws Exception { for (int i = 0 ; i < 5 ; i++) { String mes = "今天天气冷,吃火锅" ; byte [] content = mes.getBytes(Charset.forName("utf-8" )); int length = mes.getBytes(Charset.forName("utf-8" )).length; MessageProtocol messageProtocol = new MessageProtocol (); messageProtocol.setLen(length); messageProtocol.setContent(content); ctx.writeAndFlush(messageProtocol); } } protected void channelRead0 (ChannelHandlerContext ctx, MessageProtocol msg) throws Exception { int len = msg.getLen(); byte [] content = msg.getContent(); System.out.println("客户端接收到消息如下" ); System.out.println("长度=" + len); System.out.println("内容=" + new String (content, Charset.forName("utf-8" ))); System.out.println("客户端接收消息数量=" + (++this .count)); } @Override public void exceptionCaught (ChannelHandlerContext ctx, Throwable cause) throws Exception { System.out.println("异常消息=" + cause.getMessage()); ctx.close(); } }package com.atguigu.netty.protocoltcp;import io.netty.buffer.ByteBuf;import io.netty.channel.ChannelHandlerContext;import io.netty.handler.codec.MessageToByteEncoder;public class MyMessageEncoder extends MessageToByteEncoder <MessageProtocol> { @Override protected void encode (ChannelHandlerContext ctx, MessageProtocol msg, ByteBuf out) throws Exception { System.out.println("MyMessageEncoder encode 方法被调用" ); out.writeInt(msg.getLen()); out.writeBytes(msg.getContent()); } }package com.atguigu.netty.protocoltcp;import io.netty.buffer.ByteBuf;import io.netty.channel.ChannelHandlerContext;import io.netty.handler.codec.ReplayingDecoder;import java.util.List;public class MyMessageDecoder extends ReplayingDecoder <Void> { @Override protected void decode (ChannelHandlerContext ctx, ByteBuf in, List<Object> out) throws Exception { System.out.println("MyMessageDecoder decode 被调用" ); int length = in.readInt(); byte [] content = new byte [length]; in.readBytes(content); MessageProtocol messageProtocol = new MessageProtocol (); messageProtocol.setLen(length); messageProtocol.setContent(content); out.add(messageProtocol); } }package com.atguigu.netty.protocoltcp;import io.netty.channel.ChannelHandlerContext;import io.netty.channel.SimpleChannelInboundHandler;import java.nio.charset.Charset;import java.util.UUID;public class MyServerHandler extends SimpleChannelInboundHandler <MessageProtocol> { private int count; @Override public void exceptionCaught (ChannelHandlerContext ctx, Throwable cause) throws Exception { ctx.close(); } @Override protected void channelRead0 (ChannelHandlerContext ctx, MessageProtocol msg) throws Exception { int len = msg.getLen(); byte [] content = msg.getContent(); System.out.println(); System.out.println(); System.out.println(); System.out.println("服务器接收到信息如下" ); System.out.println("长度=" + len); System.out.println("内容=" + new String (content, Charset.forName("utf-8" ))); System.out.println("服务器接收到消息包数量=" + (++this .count)); String responseContent = UUID.randomUUID().toString(); int responseLen = responseContent.getBytes("utf-8" ).length; byte [] responseContent2 = responseContent.getBytes("utf-8" ); MessageProtocol messageProtocol = new MessageProtocol (); messageProtocol.setLen(responseLen); messageProtocol.setContent(responseContent2); ctx.writeAndFlush(messageProtocol); } }
第 10 章 Netty 核心源码剖析
10.1 基本说明
只有看过 Netty
源码,才能说是真的掌握了 Netty
框架。
在 io.netty.example
包下,有很多 Netty
源码案例,可以用来分析。
源码分析章节是针对有 Java
项目经验,并且玩过框架源码的人员讲的,否则你听起来会有相当的难度。
10.2 Netty 启动过程源码剖析
10.2.1 源码剖析目的
用源码分析的方式走一下 Netty
(服务器)的启动过程,更好的理解 Netty
的整体设计和运行机制。
10.2.2 源码剖析
说明:
源码需要剖析到 Netty
调用 doBind
方法,追踪到 NioServerSocketChannel
的 doBind
。
并且要 Debug
程序到 NioEventLoop
类的 run
代码,无限循环,在服务器端运行。
10.2.3 源码剖析过程
1. demo
源码的基本理解
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 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 package atguigu.netty.example.echo2;import io.netty.bootstrap.ServerBootstrap;import io.netty.channel.ChannelFuture;import io.netty.channel.ChannelInitializer;import io.netty.channel.ChannelOption;import io.netty.channel.ChannelPipeline;import io.netty.channel.EventLoopGroup;import io.netty.channel.nio.NioEventLoopGroup;import io.netty.channel.socket.SocketChannel;import io.netty.channel.socket.nio.NioServerSocketChannel;import io.netty.handler .logging.LogLevel;import io.netty.handler .logging.LoggingHandler;import io.netty.handler .ssl.SslContext;import io.netty.handler .ssl.SslContextBuilder;import io.netty.handler .ssl.util.SelfSignedCertificate;public final class EchoServer { static final boolean SSL = System.getProperty("ssl" ) != null ; static final int PORT = Integer.parseInt(System.getProperty("port" , "8007" )); public static void main (String[] args) throws Exception { final SslContext sslCtx; if (SSL) { SelfSignedCertificate ssc = new SelfSignedCertificate(); sslCtx = SslContextBuilder.forServer(ssc.certificate(), ssc.privateKey()).build(); } else { sslCtx = null ; } EventLoopGroup bossGroup = new NioEventLoopGroup(1 ); EventLoopGroup workerGroup = new NioEventLoopGroup(); try { ServerBootstrap b = new ServerBootstrap(); b.group(bossGroup, workerGroup) .channel(NioServerSocketChannel.class) .option(ChannelOption.SO_BACKLOG, 100 ) .handler (new LoggingHandler(LogLevel.INFO)) .childHandler(new ChannelInitializer<SocketChannel>() { @Override public void initChannel (SocketChannel ch) throws Exception { ChannelPipeline p = ch.pipeline(); if (sslCtx != null ) { p.addLast(sslCtx.newHandler(ch.alloc())); } p.addLast(new EchoServerHandler()); } }); ChannelFuture f = b.bind(PORT).sync(); f.channel().closeFuture().sync(); } finally { bossGroup.shutdownGracefully(); workerGroup.shutdownGracefully(); } } }Copy to clipboardErrorCopied
说明:
先看启动类:main
方法中,首先创建了关于 SSL 的配置类。
重点分析下创建了两个 EventLoopGroup
对象:
1 2 EventLoopGroup bossGroup = new NioEventLoopGroup(1 ) EventLoopGroup workerGroup = new NioEventLoopGroup()
(1) 这两个对象是整个 Netty
的核心对象,可以说,整个 Netty
的运作都依赖于他们。bossGroup
用于接受 TCP
请求,他会将请求交给 workerGroup
,workerGroup
会获取到真正的连接,然后和连接进行通信,比如读写解码编码等操作。
(2) EventLoopGroup
是事件循环组(线程组)含有多个 EventLoop
,可以注册 channel
,用于在事件循环中去进行选择(和选择器相关)。【debug看】
(3) new NioEventLoopGroup(1);
这个 1
表示 bossGroup
事件组有 1
个线程你可以指定,如果 new NioEventLoopGroup()
会含有默认个线程 cpu核数 * 2
,即可以充分的利用多核的优势,【可以dubug一把】
1 DEFAULT_EVENT_LOOP_THREADS = Math.max(1 , SystemPropertyUtil.getInt("io.netty.eventLoopThreads" , NettyRuntime.availableProcessors() * 2 ))
会创建 EventExecutor
数组 children = new EventExecutor[nThreads];
// debug
一下每个元素的类型就是 NIOEventLoop
,NIOEventLoop
实现了 EventLoop
接口和 Executor
接口 try
块中创建了一个 ServerBootstrap
对象,他是一个引导类,用于启动服务器和引导整个程序的初始化(看下源码 allowseasybootstrapof{@linkServerChannel}
)。它和 ServerChannel
关联,而 ServerChannel
继承了 Channel
,有一些方法 remoteAddress
等[可以Debug下]随后,变量 b
调用了 group
方法将两个 group
放入了自己的字段中,用于后期引导使用【debug
下 group
方法
1 2 3 4 5 Copy to clipboardErrorCopied
】。
(4) 然后添加了一个 channel
,其中参数一个 Class
对象,引导类将通过这个 Class
对象反射创建 ChannelFactory
。然后添加了一些 TCP
的参数。【说明:Channel
的创建在 bind
方法,可以 Debug
下 bind
,会找到 channel = channelFactory.newChannel();
】
(5) 再添加了一个服务器专属的日志处理器 handler
。
(6) 再添加一个 SocketChannel
(不是 ServerSocketChannel
)的 handler
。
(7) 然后绑定端口并阻塞至连接成功。
(8) 最后 main
线程阻塞等待关闭。
(9) finally
块中的代码将在服务器关闭时优雅关闭所有资源。
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 45 package atguigu.netty .example .echo2 ;import io.netty .channel .ChannelHandler .Sharable ;import io.netty .channel .ChannelHandlerContext ;import io.netty .channel .ChannelInboundHandlerAdapter ;@Sharable public class EchoServerHandler extends ChannelInboundHandlerAdapter { @Override public void channelRead (ChannelHandlerContext ctx, Object msg ) { ctx.write (msg); } @Override public void channelReadComplete (ChannelHandlerContext ctx ) { ctx.flush (); } @Override public void exceptionCaught (ChannelHandlerContext ctx, Throwable cause ) { cause.printStackTrace (); ctx.close (); } }Copy to clipboardErrorCopied
说明:
这是一个普通的处理器类,用于处理客户端发送来的消息,在我们这里,我们简单的解析出客户端传过来的内容,然后打印,最后发送字符串给客户端。
大致讲解了我们的 demo
源码的作用。后面的 debug
的时候会详细。
2. 分析 EventLoopGroup 的过程
2.1 构造器方法
1 2 3 public NioEventLoopGroup (int nThreads) { this (nThreads, (Executor) null ); }Copy to clipboardErrorCopied
2.2 上面的 this(nThreads, (Executor) null);
调用构造器(通过 alt + d
看即可)
1 2 3 public NioEventLoopGroup (int nThreads, Executor executor) { this (nThreads, executor, SelectorProvider.provider()); }Copy to clipboardErrorCopied
2.3 上面的 this(nThreads, executor, SelectorProvider.provider());
调用下面构造器
1 2 3 public NioEventLoopGroup (int nThreads, Executor executor, final SelectorProvider selectorProvider) { this (nThreads, executor, selectorProvider,DefaultSelectStrategyFactory.INSTANCE); }Copy to clipboardErrorCopied
2.4 上面的 this()...
调用构造器(alt + d
)
1 2 3 public NioEventLoopGroup (int nThreads, Executor executor, final SelectorProvider selectorProvider,final SelectStrategyFactory selectStrategyFactory) { super (nThreads, executor, selectorProvider, selectStrategyFactory, RejectedExecutionHandlers.reject()); }Copy to clipboardErrorCopied
2.5 上面的 super()..
的方法是父类:MultithreadEventLoopGroup
1 2 3 protected MultithreadEventLoopGroup (int nThreads, Executor executor, Object...args) { super (nThreads == 0 ? DEFAULT_EVENT_LOOP_THREADS : nThreads, executor, args); }Copy to clipboardErrorCopied
2.6 追踪到源码抽象类 MultithreadEventExecutorGroup
的构造器方法 MultithreadEventExecutorGroup
才是 NioEventLoopGroup
真正的构造方法,这里可以看成是一个模板方法,使用了设计模式的模板模式(可看我录制视频),所以,我们就需要好好分析 MultithreadEventExecutorGroup
方法了
2.7 分析 MultithreadEventExecutorGroup
参数说明:
@param nThreads
使用的线程数,默认为 core * 2
【可以追踪源码】
@param executor
执行器:如果传入 null
, 则采用 Netty
默认的线程工厂和默认的执行器 ThreadPerTaskExecutor
@param chooserFactory
单例 new DefaultEventExecutorChooserFactory()
@param args args
在创建执行器的时候传入固定参数
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 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 protected MultithreadEventExecutorGroup (int nThreads, Executor executor, EventExecutorChooserFactory chooserFactory, Object... args) { if (nThreads <= 0 ) { throw new IllegalArgumentException (String.format("nThreads: %d (expected: > 0)" , nThreads)); } if (executor == null ) { executor = new ThreadPerTaskExecutor (newDefaultThreadFactory()); } children = new EventExecutor [nThreads]; for (int i = 0 ; i < nThreads; i ++) { boolean success = false ; try { children[i] = newChild(executor, args); success = true ; } catch (Exception e) { throw new IllegalStateException ("failed to create a child event loop" , e); } finally { if (!success) { for (int j = 0 ; j < i; j ++) { children[j].shutdownGracefully(); } for (int j = 0 ; j < i; j ++) { EventExecutor e = children[j]; try { while (!e.isTerminated()) { e.awaitTermination(Integer.MAX_VALUE, TimeUnit.SECONDS); } } catch (InterruptedException interrupted) { Thread.currentThread().interrupt(); break ; } } } } } chooser = chooserFactory.newChooser(children); final FutureListener<Object> terminationListener = new FutureListener <Object>() { @Override public void operationComplete (Future<Object> future) throws Exception { if (terminatedChildren.incrementAndGet() == children.length) { terminationFuture.setSuccess(null ); } } }; for (EventExecutor e: children) { e.terminationFuture().addListener(terminationListener); } Set<EventExecutor> childrenSet = new LinkedHashSet <EventExecutor>(children.length); Collections.addAll(childrenSet, children); readonlyChildren = Collections.unmodifiableSet(childrenSet); }Copy to clipboardErrorCopied
说明:
如果 executor
是 null
,创建一个默认的 ThreadPerTaskExecutor
,使用 Netty
默认的线程工厂。
根据传入的线程数(CPU * 2
)创建一个线程池(单例线程池)数组。
循环填充数组中的元素。如果异常,则关闭所有的单例线程池。
根据线程选择工厂创建一个线程选择器。
为每一个单例线程池添加一个关闭监听器。
将所有的单例线程池添加到一个 HashSet
中。
3. ServerBootstrap 创建和构造过程
3.1 ServerBootstrap
是个空构造,但是有默认的成员变量
1 2 3 4 5 6 7 8 private final Map<ChannelOption<?>, Object > childOptions = new LinkedHashMap <ChannelOption<?>, Object >();private final Map<AttributeKey<?>, Object > childAttrs = new ConcurrentHashMap <AttributeKey<?>, Object >();private final ServerBootstrapConfig config = new ServerBootstrapConfig (this );private volatile EventLoopGroup childGroup;private volatile ChannelHandler childHandler; Copy to clipboardErrorCopied
3.2 分析一下 ServerBootstrap
基本使用情况
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 ServerBootstrap b = new ServerBootstrap(); b.group (bossGroup, workerGroup) .channel(NioServerSocketChannel.class ) .option (ChannelOption.SO_BACKLOG, 100 ) .handler (new LoggingHandler(LogLevel.INFO )) .childHandler(new ChannelInitializer<SocketChannel>() { @Override public void initChannel(SocketChannel ch) throws Exception { ChannelPipeline p = ch.pipeline(); if (sslCtx != null ) { p.addLast(sslCtx.newHandler(ch.alloc())); } //p.addLast(new LoggingHandler(LogLevel.INFO )); p.addLast(new EchoServerHandler()); } });Copy to clipboardErrorCopied
说明:
链式调用:group
方法,将 boss
和 worker
传入,boss
赋值给 parentGroup
属性, worker
赋值给 childGroup
属性。
channel
方法传入 NioServerSocketChannelclass
对象。会根据这个 class
创建 channel
对象。
option
方法传入 TCP
参数,放在一个 LinkedHashMap
中。
handler
方法传入一个 handler
中,这个 hanlder
只专属于 ServerSocketChannel
而不是 SocketChannel
。
childHandler
传入一个 hanlder
,这个 handler
将会在每个客户端连接的时候调用。供 SocketChannel
使用。
4. 绑定端口的分析
4.1 服务器就是在这个 bind
方法里启动完成的 4.2 bind
方法代码,追踪到创建了一个端口对象,并做了一些空判断,核心代码 doBind
,我们看看
1 2 3 4 5 6 7 public ChannelFuture bind (SocketAddress localAddress) { validate (); if (localAddress == null) { throw new NullPointerException ("localAddress"); } return doBind (localAddress); }Copy to clipboardErrorCopied
4.3 doBind
源码剖析,核心是两个方法 initAndRegister
和 doBind0
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 private ChannelFuture doBind (final SocketAddress localAddress) { final ChannelFuture regFuture = initAndRegister(); final Channel channel = regFuture.channel(); if (regFuture.cause() != null ) { return regFuture; } 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 () { @Override public void operationComplete (ChannelFuture future) throws Exception { Throwable cause = future.cause(); if (cause != null ) { promise.setFailure(cause); } else { promise.registered(); doBind0(regFuture, channel, localAddress, promise); } } }); return promise; } }Copy to clipboardErrorCopied
4.4 分析说明 initAndRegister
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 final ChannelFuture initAndRegister () { Channel channel = null ; try { channel = channelFactory.newChannel(); init (channel); } catch (Throwable t) { if (channel != null ) { channel.unsafe ().closeForcibly(); return new DefaultChannelPromise(channel, GlobalEventExecutor.INSTANCE).setFailure(t); } return new DefaultChannelPromise(new FailedChannel(), GlobalEventExecutor.INSTANCE).setFailure(t); } ChannelFuture regFuture = config().group ().register(channel); if (regFuture.cause() != null ) { if (channel.isRegistered()) { channel.close(); } else { channel.unsafe ().closeForcibly(); } } return regFuture; }Copy to clipboardErrorCopied
说明:
基本说明:initAndRegister()
初始化 NioServerSocketChannel
通道并注册各个 handler
,返回一个 future
。
通过 ServerBootstrap
的通道工厂反射创建一个 NioServerSocketChannel
。
init
初始化这个 NioServerSocketChannel
。
config().group().register(channel)
通过 ServerBootstrap
的 bossGroup
注册 NioServerSocketChannel
。
最后,返回这个异步执行的占位符即 regFuture
。
4.5 init
方法会调用 addLast
,现在进入到 addLast
方法内查看
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 @Override public final ChannelPipeline addLast(EventExecutorGroup group, String name, ChannelHandler handler) { final AbstractChannelHandlerContext new Ctx ; synchronized (this ) { checkMultiplicity(handler); new Ctx = new Context (group, filterName(name, handler), handler); addLast0(new Ctx ); if (!registered) { new Ctx .setAddPending(); callHandlerCallbackLater(new Ctx , true ); return this ; } EventExecutor executor = new Ctx .executor(); if (!executor.inEventLoop()) { callHandlerAddedInEventLoop(new Ctx , executor); return this ; } } callHandlerAdded0(new Ctx ); return this ; }Copy to clipboardErrorCopied
说明:
addLast
方法,在 DefaultChannelPipeline
类中
addLast
方法这就是 pipeline
方法的核心
检查该 handler
是否符合标准。
创建一个 AbstractChannelHandlerContext
对象,这里说一下,ChannelHandlerContext
对象是 ChannelHandler
和 ChannelPipeline
之间的关联,每当有 ChannelHandler
添加到 Pipeline
中时,都会创建 Context
。Context
的主要功能是管理他所关联的 Handler
和同一个 Pipeline
中的其他 Handler
之间的交互。
将 Context
添加到链表中。也就是追加到 tail
节点的前面。
最后,同步或者异步或者晚点异步的调用 callHandlerAdded0
方法
4.6 前面说了 dobind
方法有 2
个重要的步骤,initAndRegister
说完,接下来看 doBind0
方法,代码如下
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 private static void doBind0 ( final ChannelFuture regFuture, final Channel channel, final SocketAddress localAddress, final ChannelPromise promise) { channel.eventLoop ().execute (new Runnable () { @Override public void run () { if (regFuture.isSuccess ()) { channel.bind (localAddress, promise).addListener (ChannelFutureListener.CLOSE_ON_FAILURE); } else { promise.setFailure (regFuture.cause ()); } } }); }Copy to clipboardErrorCopied
说明:
该方法的参数为 initAndRegister
的 future
,NioServerSocketChannel
,端口地址,NioServerSocketChannel
的 promise
这里就可以根据前面下的断点,一直 debug
:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 @Override public void bind (ChannelHandlerContext ctx, SocketAddress localAddress, ChannelPromise promise) throws Exception { unsafe.bind (localAddress,promise); }public final void bind (final SocketAddress localAddress, final ChannelPromise promise) { try { doBind (localAddress); } catch (Throwable t) { safeSetFailure (promise, t); closeIfClosed (); return ; } }Copy to clipboardErrorCopied
最终 doBind
就会追踪到 NioServerSocketChannel
的 doBind
,说明 Netty
底层使用的是 NIO
1 2 3 4 5 6 7 8 @Override protected void doBind (SocketAddress localAddress) throws Exception { if (PlatformDependent.javaVersion () >= 7 ) { javaChannel ().bind (localAddress, config.getBacklog ()); } else { javaChannel ().socket ().bind (localAddress, config.getBacklog ()); } }Copy to clipboardErrorCopied
回到 bind
方法(alt + v
),最后一步:safeSetSuccess(promise)
,告诉 promise
任务成功了。其可以执行监听器的方法了。到此整个启动过程已经结束了,ok 了
继续 atl + v
服务器就回进入到(NioEventLoop
类)一个循环代码,进行监听
1 2 3 4 5 6 7 8 @Override protected void run ( ) { for (;;) { try { } } }Copy to clipboardErrorCopied
10.2.4 Netty 启动过程梳理
创建 2
个 EventLoopGroup
线程池数组。数组默认大小 CPU * 2
,方便 chooser
选择线程池时提高性能
BootStrap
将 boss
设置为 group
属性,将 worker
设置为 childer
属性
通过 bind
方法启动,内部重要方法为 initAndRegister
和 dobind
方法
initAndRegister
方法会反射创建 NioServerSocketChannel
及其相关的 NIO
的对象,pipeline
,unsafe
,同时也为 pipeline
初始了 head
节点和 tail
节点。
在 register0
方法成功以后调用在 dobind
方法中调用 doBind0
方法,该方法会调用 NioServerSocketChannel
的 doBind
方法对 JDK
的 channel
和端口进行绑定,完成 Netty
服务器的所有启动,并开始监听连接事件。
10.3 Netty 接受请求过程源码剖析
10.3.1 源码剖析目的
服务器启动后肯定是要接受客户端请求并返回客户端想要的信息的,下面源码分析 Netty
在启动之后是如何接受客户端请求的
在 io.netty.example
包下
10.3.2 源码剖析
说明:
从之前服务器启动的源码中,我们得知,服务器最终注册了一个 Accept
事件等待客户端的连接。我们也知道,NioServerSocketChannel
将自己注册到了 boss
单例线程池(reactor
线程)上,也就是 EventLoop
。
先简单说下 EventLoop
的逻辑(后面我们详细讲解 EventLoop
)
EventLoop
的作用是一个死循环,而这个循环中做 3 件事情:
有条件的等待 NIO
事件。
处理 NIO
事件。
处理消息队列中的任务。
仍用前面的项目来分析:进入到 NioEventLoop
源码中后,在 private void processSelectedKey(SelectionKey k, AbstractNioChannel ch)
方法开始调试最终我们要分析到 AbstractNioChannel
的 doBeginRead
方法,当到这个方法时,针对于这个客户端的连接就完成了,接下来就可以监听读事件了
源码分析过程
断点位置 NioEventLoop
的如下方法 processSelectedKey
1 2 3 if ((readyOps & (SelectionKey.OP_READ | SelectionKey.OP_ACCEPT)) != 0 || readyOps == 0 ) { unsafe.read (); }Copy to clipboardErrorCopied
执行浏览器 http://localhost:8007/
,客户端发出请求
从的断点我们可以看到,readyOps
是 16
,也就是 Accept
事件。说明浏览器的请求已经进来了。
这个 unsafe
是 boss
线程中 NioServerSocketChannel
的 AbstractNioMessageChannel$NioMessageUnsafe
对象。我们进入到 AbstractNioMessageChannel$NioMessageUnsafe
的 read
方法中
read
方法代码并分析:
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 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 @Override public void read () { asserteventLoop().inEventLoop(); final ChannelConfig config = config(); final ChannelPipeline pipeline = pipeline(); final RecvByteBufAllocator.Handle allocHandle = unsafe().recvBufAllocHandle(); allocHandle.reset(config); booleanclosed = false ; Throwable exception = null ; try { try { do { int localRead = doReadMessages(readBuf); if (localRead == 0 ) { break ; } if (localRead < 0 ) { closed = true ; break ; } allocHandle.incMessagesRead(localRead); } while (allocHandle.continueReading()); } catch (Throwable t) { exception = t; } int size = readBuf.size(); for (int i = 0 ; i < size; i++) { readPending = false ; pipeline.fireChannelRead(readBuf.get(i)); } readBuf.clear(); allocHandle.readComplete(); pipeline.fireChannelReadComplete(); if (exception != null ) { closed = closeOnReadError(exception); pipeline.fireExceptionCaught(exception); } if (closed) { inputShutdown = true ; if (isOpen()) { close(voidPromise()); } } } finally { if (!readPending && !config.isAutoRead()) { removeReadOp(); } } }Copy to clipboardErrorCopied
说明: 1)检查该 eventloop
线程是否是当前线程。asserteventLoop().inEventLoop()
2)执行 doReadMessages
方法,并传入一个 readBuf
变量,这个变量是一个 List
,也就是容器。
3)循环容器,执行 pipeline.fireChannelRead(readBuf.get(i));
4)doReadMessages
是读取 boss
线程中的 NioServerSocketChannel
接受到的请求。并把这些请求放进容器,一会我们 debug
下 doReadMessages
方法。
5)循环遍历容器中的所有请求,调用 pipeline
的 fireChannelRead
方法,用于处理这些接受的请求或者其他事件,在 read
方法中,循环调用 ServerSocket
的 pipeline
的 fireChannelRead
方法,开始执行管道中的 handler
的 ChannelRead
方法(debug
进入)
追踪一下 doReadMessages
方法,就可以看得更清晰
1 2 3 4 5 protected int doReadMessages (List<Object> buf) throws Exception { SocketChannel ch = SocketUtils.accept(javaChannel()); buf.add(newNioSocketChannel(this , ch)); return 1 ; }Copy to clipboardErrorCopied
说明: 1)通过工具类,调用 NioServerSocketChannel
内部封装的 serverSocketChannel
的 accept
方法,这是 NIO
做法。
2)获取到一个 JDK
的 SocketChannel
,然后,使用 NioSocketChannel
进行封装。最后添加到容器中
3)这样容器 buf
中就有了 NioSocketChannel
【如果有兴趣可以追一下 NioSocketChannel
是如何创建的,我就不追了】
回到 read
方法,继续分析循环执行 pipeline.fireChannelRead
方法
1)前面分析 doReadMessages
方法的作用是通过 ServerSocket
的 accept
方法获取到 TCP
连接,然后封装成 Netty
的 NioSocketChannel
对象。最后添加到容器中
2)在 read
方法中,循环调用 ServerSocket
的 pipeline
的 fireChannelRead
方法,开始执行管道中的 handler
的 ChannelRead
方法(debug
进入)
3)经过 dubug
(多次),可以看到会反复执行多个 handler
的 ChannelRead
,我们知道,pipeline
里面又 4
个 handler
,分别是 Head
,LoggingHandler
,ServerBootstrapAcceptor
,Tail
。
4)我们重点看看 ServerBootstrapAcceptor
。debug
之后,断点会进入到 ServerBootstrapAcceptor
中来。我们来看看 ServerBootstrapAcceptor
的 channelRead
方法(要多次 debug
才可以)
5)channelRead
方法
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) { final Channelchild = (Channel)msg; child.pipeline().addLast(childHandler); setChannelOptions(child, childOptions, logger); for (Entry<AttributeKey<?>, Object> e : childAttrs) { child.attr((AttributeKey<Object>)e.getKey()).set(e.getValue()); } try { childGroup.register(child).addListener(new ChannelFutureListener() { @Override public void operationComplete (ChannelFuturefuture) throws Exception { if (!future.isSuccess()) { forceClose(child, future.cause()); } } }); } catch (Throwable t) { forceClose(child, t); } }Copy to clipboardErrorCopied
说明: 1)msg
强转成 Channel
,实际上就是 NioSocketChannel
。
2)添加 NioSocketChannel
的 pipeline
的 handler
,就是我们 main
方法里面设置的 childHandler
方法里的。
3)设置 NioSocketChannel
的各种属性。
4)将该 NioSocketChannel
注册到 childGroup
中的一个 EventLoop
上,并添加一个监听器。
5)这个 childGroup
就是我们 main
方法创建的数组 workerGroup
。
进入 register
方法查看(步步追踪会到)
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 @Override public final void register (EventLoop eventLoop, final ChannelPromise promise) { AbstractChannel.this .eventLoop = eventLoop; if (eventLoop.inEventLoop ()) { register0 (promise); } else { eventLoop.execute (new Runnable (){ @Override public void run () { register0 (promise); } }); } }
最终会调用 doBeginRead
方法,也就是 AbstractNioChannel
类的方法
1 2 3 4 5 6 7 8 9 10 11 12 13 @Overrideprotected void doBeginRead() throws Exception { final SelectionKey selectionKey = this .selectionKey; if (!selectionKey.isValid()) { return ; } readPending = true ; final int int erestOps = selectionKey.int erestOps(); if ((int erestOps&readInterestOp) == 0 ) { selectionKey.int erestOps(int erestOps | readInterestOp); } }Copy to clipboardErrorCopied
这个地方调试时,请把前面的断点都去掉,然后启动服务器就会停止在 doBeginRead
(需要先放过该断点,然后浏览器请求,才能看到效果)
执行到这里时,针对于这个客户端的连接就完成了,接下来就可以监听读事件了
10.3.3 Netty 接受请求过程梳理
总体流程:接受连接 --> 创建一个新的 NioSocketChannel
--> 注册到一个 workerEventLoop
上 --> 注册 selecotRead
事件。
服务器轮询 Accept
事件,获取事件后调用 unsafe
的 read
方法,这个 unsafe
是 ServerSocket
的内部类,该方法内部由 2
部分组成
doReadMessages
用于创建 NioSocketChannel
对象,该对象包装 JDK
的 NioChannel
客户端。该方法会像创建 ServerSocketChanel
类似创建相关的 pipeline
,unsafe
,config
随后执行执行 pipeline.fireChannelRead
方法,并将自己绑定到一个 chooser
选择器选择的 workerGroup
中的一个 EventLoop
。并且注册一个 0
,表示注册成功,但并没有注册读(1)事件
10.4 Pipeline Handler HandlerContext 创建源码剖析
10.4.1 源码剖析目的
Netty
中的 ChannelPipeline
、ChannelHandler
和 ChannelHandlerContext
是非常核心的组件,我们从源码来分析 Netty
是如何设计这三个核心组件的,并分析是如何创建和协调工作的.
10.4.2 源码剖析说明
说明 分析过程中,有很多的图形,所以我们准备了一个文档,在文档的基础上来做源码剖析
ChannelPipeline | ChannelHandler | ChannelHandlerContext介绍
1 三者关系
1)每当 ServerSocket
创建一个新的连接,就会创建一个 Socket
,对应的就是目标客户端。
2)每一个新创建的 Socket
都将会分配一个全新的 ChannelPipeline
(以下简称 pipeline
)
3)每一个 ChannelPipeline
内部都含有多个 ChannelHandlerContext
(以下简称 Context
)
4)他们一起组成了双向链表,这些 Context
用于包装我们调用 addLast
方法时添加的 ChannelHandler
(以下简称 handler
)
1)上图中:ChannelSocket
和 ChannelPipeline
是一对一的关联关系,而 pipeline
内部的多个 Context
形成了链表,Context
只是对 Handler
的封装。 2)当一个请求进来的时候,会进入 Socket
对应的 pipeline
,并经过 pipeline
所有的 handler
,对,就是设计模式中的过滤器模式。
1.2 ChannelPipeline 作用及设计
1)pipeline
的接口设计
部分源码
可以看到该接口继承了 inBound
,outBound
,Iterable
接口,表示他可以调用数据出站的方法和入站的方法,同时也能遍历内部的链表,看看他的几个代表性的方法,基本上都是针对 handler
链表的插入,追加,删除,替换操作,类似是一个 LinkedList
。同时,也能返回 channel
(也就是 socket
)
1)在 pipeline
的接口文档上,提供了一幅图
对上图的解释说明: *这是一个 handler
的 list
,handler
用于处理或拦截入站事件和出站事件,pipeline
实现了过滤器的高级形式,以便用户控制事件如何处理以及 handler
在 pipeline
中如何交互。
上图描述了一个典型的 handler
在 pipeline
中处理 I/O
事件的方式,IO
事件由 inboundHandler
或者 outBoundHandler
处理,并通过调用 ChannelHandlerContext.fireChannelRead
方法转发给其最近的处理程序。
入站事件由入站处理程序以自下而上的方向处理,如图所示。入站处理程序通常处理由图底部的 I/O
线程生成入站数据。入站数据通常从如 SocketChannel.read(ByteBuffer)
获取。
通常一个 pipeline
有多个 handler
,例如,一个典型的服务器在每个通道的管道中都会有以下处理程序协议解码器-将二进制数据转换为 Java
对象。协议编码器-将 Java
对象转换为二进制数据。业务逻辑处理程序-执行实际业务逻辑(例如数据库访问)
你的业务程序不能将线程阻塞,会影响 IO
的速度,进而影响整个 Netty
程序的性能。如果你的业务程序很快,就可以放在 IO
线程中,反之,你需要异步执行。或者在添加 handler
的时候添加一个线程池,例如:
// 下面这个任务执行的时候,将不会阻塞 IO
线程,执行的线程来自 group
线程池
pipeline.addLast(group, "handler", new MyBusinessLogicHandler());
1.3 ChannelHandler
作用及设计
1)源码
1 2 3 4 5 6 7 8 9 public interface ChannelHandler { void handlerAdded (ChannelHandlerContext ctx) throws Exception ; void handlerRemoved (ChannelHandlerContext ctx) throws Exception ; @Deprecated void exceptionCaught (ChannelHandlerContext ctx, Throwable cause) throws Exception ; }Copy to clipboardErrorCopied
2)ChannelHandler
的作用就是处理 IO
事件或拦截 IO
事件,并将其转发给下一个处理程序 ChannelHandler
。Handler
处理事件时分入站和出站的,两个方向的操作都是不同的,因此,Netty
定义了两个子接口继承 ChannelHandler
2)ChannelInboundHandler
入站事件接口
channelActive
用于当 Channel
处于活动状态时被调用;
channelRead
当从 Channel
读取数据时被调用等等方法。
程序员需要重写一些方法,当发生关注的事件,需要在方法中实现我们的业务逻辑,因为当事件发生时,Netty
会回调对应的方法。
3)`ChannelOutboundHandler 出站事件接口
bind
方法,当请求将 Channel
绑定到本地地址时调用
close
方法,当请求关闭 Channel
时调用等等
出站操作都是一些连接和写出数据类似的方法。
4)ChannelDuplexHandler
处理出站和入站事件
ChannelDuplexHandler
间接实现了入站接口并直接实现了出站接口。
是一个通用的能够同时处理入站事件和出站事件的类。
1.4 ChannelHandlerContext
作用及设计
1)ChannelHandlerContext
UML
图
ChannelHandlerContext
继承了出站方法调用接口和入站方法调用接口
1)ChannelOutboundInvoker
和 ChannelInboundInvoker
部分源码
这两个 invoker
就是针对入站或出站方法来的,就是在入站或出站 handler
的外层再包装一层,达到在方法前后拦截并做一些特定操作的目的
2)ChannelHandlerContext
部分源码
ChannelHandlerContext
不仅仅时继承了他们两个的方法,同时也定义了一些自己的方法
这些方法能够获取 Context
上下文环境中对应的比如 channel
,executor
,handler
,pipeline
,内存分配器,关联的 handler
是否被删除。
Context
就是包装了 handler
相关的一切,以方便 Context
可以在 pipeline
方便的操作 handler
2.ChannelPipeline | ChannelHandler | ChannelHandlerContext
创建过程分为 3
个步骤来看创建的过程:
任何一个 ChannelSocket
创建的同时都会创建一个 pipeline
。
当用户或系统内部调用 pipeline
的 add
** 方法添加 handler
时,都会创建一个包装这 handler
的 Context
。
这些 Context
在 pipeline
中组成了双向链表。
2.1 Socket
创建的时候创建 pipeline
在 SocketChannel
的抽象父类 AbstractChannel
的构造方法中
1 2 3 4 5 6 protected AbstractChannel(Channel parent) { this.parent= parent id = newId() unsafe = new Unsafe() pipeline = new ChannelPipeline() }Copy to clipboardErrorCopied
Debug
一下,可以看到代码会执行到这里,然后继续追踪到
1 2 3 4 5 6 7 8 9 protected DefaultChannelPipeline(Channel channel) { this .channel = ObjectUtil.checkNotNull(channel, "channel" ); succeededFuture = new SucceededChannelFuture (channel, null ); voidPromise = new VoidChannelPromise (channel, true ); tail = new TailContext (this ); head = new HeadContext (this ); head.next = tail; tail.prev = head; }Copy to clipboardErrorCopied
说明:
1)将 channel
赋值给 channel
字段,用于 pipeline
操作 channel
。
2)创建一个 future
和 promise
,用于异步回调使用。
3)创建一个 inbound
的 tailContext
,创建一个既是 inbound
类型又是 outbound
类型的 headContext
。
4)最后,将两个 Context
互相连接,形成双向链表。
5)tailContext
和 HeadContext
非常的重要,所有 pipeline
中的事件都会流经他们,
2.2 在 add添加处理器的时候创建Context 看下 DefaultChannelPipeline
的 addLast
方法如何创建的 Context
,代码如下
1 2 3 4 5 6 7 8 9 10 11 12 13 @Override public final ChannelPipeline addLast(EventExecutorGroup executor, ChannelHandler... handlers) { if (handlers == null ) { throw new NullPointerException("handlers" ); } for (ChannelHandler h : handlers) { if (h == null ) { break ; } addLast(executor, null , h); } return this ; }Copy to clipboardErrorCopied
继续 Debug
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 final ChannelPipeline addLast(EventExecutorGroup group, String name, ChannelHandler handler) { final AbstractChannelHandlerContext new Ctx ; synchronized(this ) { checkMultiplicity(handler); new Ctx = new Context (group, filterName(name, handler), handler); addLast0(new Ctx ); if (!registered) { new Ctx .setAddPending(); callHandlerCallbackLater(new Ctx , true ); return this ; } EventExecutor executor = new Ctx .executor(); if (!executor.inEventLoop()) { new Ctx .setAddPending(); executor.execute(new Runnable () { @Override public void run () { callHandlerAdded0(new Ctx ); } }); return this ; } } callHandlerAdded0(new Ctx ); return this ; }Copy to clipboardErrorCopied
说明 1)pipeline
添加 handler
,参数是线程池,name
是 null
,handler
是我们或者系统传入的 handler
。Netty
为了防止多个线程导致安全问题,同步了这段代码,步骤如下:
2)检查这个 handler
实例是否是共享的,如果不是,并且已经被别的 pipeline
使用了,则抛出异常。
3)调用 new Context(group, filterName(name, handler), handler)
方法,创建一个 Context
。从这里可以看出来了,每次添加一个 handler
都会创建一个关联 Context
。
4)调用 addLast
方法,将 Context
追加到链表中。
5)如果这个通道还没有注册到 selecor
上,就将这个 Context
添加到这个 pipeline
的待办任务中。当注册好了以后,就会调用 callHandlerAdded0
方法(默认是什么都不做,用户可以实现这个方法)。
6)到这里,针对三对象创建过程,了解的差不多了,和最初说的一样,每当创建 ChannelSocket
的时候都会创建一个绑定的 pipeline
,一对一的关系,创建 pipeline
的时候也会创建 tail
节点和 head
节点,形成最初的链表。tail
是入站 inbound
类型的 handler
,head
既是 inbound
也是 outbound
类型的 handler
。在调用 pipeline
的 addLast
方法的时候,会根据给定的 handler
创建一个 Context
,然后,将这个 Context
插入到链表的尾端(tail
前面)。到此就 OK
了。
10.4.4 Pipeline Handler HandlerContext 创建过程梳理
每当创建 ChannelSocket
的时候都会创建一个绑定的 pipeline
,一对一的关系,创建 pipeline
的时候也会创建 tail
节点和 head
节点,形成最初的链表。
在调用 pipeline
的 addLast
方法的时候,会根据给定的 handler
创建一个 Context
,然后,将这个 Context
插入到链表的尾端(tail
前面)。
Context
包装 handler
,多个 Context
在 pipeline
中形成了双向链表
入站方向叫 inbound
,由 head
节点开始,出站方法叫 outbound
,由 tail
节点开始
10.5 ChannelPipeline 调度 handler 的源码剖析
当一个请求进来的时候,ChannelPipeline
是如何调用内部的这些 handler
的呢?我们一起来分析下。
首先,当一个请求进来的时候,会第一个调用 pipeline
的相关方法,如果是入站事件,这些方法由 fire
开头,表示开始管道的流动。让后面的 handler
继续处理
说明
当浏览器输入 http://localhost:8007
。可以看到会执行 handler
在 Debug
时,可以将断点下在 DefaultChannelPipeline
类的
1 2 3 4 public final ChannelPipeline fireChannelActive() { AbstractChannelHandlerContext.invokeChannelActive(head); return this ; }Copy to clipboardErrorCopied
源码分析
DefaultChannelPipeline
是如何实现这些 fire
方法的 3.1 DefaultChannelPipeline
源码
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 public class DefaultChannelPipeline implements ChannelPipeline { @Override public final ChannelPipeline fireChannelActive() { AbstractChannelHandlerContext.invokeChannelActive(head); return this ; } @Override public final ChannelPipelinefireChannelInactive() { AbstractChannelHandlerContext.invokeChannelInactive(head); return this ; } @Override public final ChannelPipeline fireExceptionCaught(Throwable cause) { AbstractChannelHandlerContext.invokeExceptionCaught(head, cause); return this ; } @Override public final ChannelPipeline fireUserEventTriggered(Object event) { AbstractChannelHandlerContext.invokeUserEventTriggered(head, event); return this ; } @Override public final ChannelPipeline fireChannelRead(Objectmsg) { AbstractChannelHandlerContext.invokeChannelRead(head, msg); return this ; } @Override public final ChannelPipeline fireChannelReadComplete() { AbstractChannelHandlerContext.invokeChannelReadComplete(head); return this ; } @Override public final ChannelPipeline fireChannelWritabilityChanged() { AbstractChannelHandlerContext.invokeChannelWritabilityChanged(head); return this ; } }Copy to clipboardErrorCopied
说明: 可以看出来,这些方法都是 inbound
的方法,也就是入站事件,调用静态方法传入的也是 inbound
的类型 head
handler
。这些静态方法则会调用 head
的 ChannelInboundInvoker
接口的方法,再然后调用 handler
的真正方法
3.2再看下 piepline
的 outbound
的 fire
方法实现源码
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 45 46 47 48 49 50 51 52 53 54 55 56 57 public class DefaultChannelPipeline implements ChannelPipeline { @Override public final ChannelFuture bind (SocketAddress localAddress) { return tail.bind (localAddress) ; } @Override public final ChannelFuture connect (SocketAddress remoteAddress) { return tail.connect (remoteAddress) ; } @Override public final ChannelFuture connect (SocketAddress remoteAddress, SocketAddress localAddress) { return tail.connect (remoteAddress, localAddress) ; } @Override public final ChannelFuture disconnect () { return tail.disconnect () ; } @Override public final ChannelFuture close () { return tail.close () ; } @Override public final ChannelFuture deregister () { return tail.deregister () ; } @Override public final ChannelPipeline flush () { tail.flush(); return this ; } @Override public final ChannelFuture bind (SocketAddress localAddress, ChannelPromise promise) { return tail.bind (localAddress, promise) ; } @Override public final ChannelFuture connect (SocketAddress remoteAddress, ChannelPromise promise) { return tail.connect (remoteAddress, promise) ; } @Override public final ChannelFuture connect (SocketAddress remoteAddress, SocketAddress localAddress, ChannelPromise promise) { return tail.connect (remoteAddress, localAddress, promise) ; } @Override public final ChannelFuture disconnect (ChannelPromise promise) { return tail.disconnect (promise) ; } }Copy to clipboardErrorCopied
说明:
1)这些都是出站的实现,但是调用的是 outbound
类型的 tailhandler
来进行处理,因为这些都是 outbound
事件。
2)出站是 tail
开始,入站从 head
开始。因为出站是从内部向外面写,从 tail
开始,能够让前面的 handler
进行处理,防止 handler
被遗漏,比如编码。反之,入站当然是从 head
往内部输入,让后面的 handler
能够处理这些输入的数据。比如解码。因此虽然 head
也实现了 outbound
接口,但不是从 head 开始执行出站任务
4.关于如何调度,用一张图来表示:
说明: 1)pipeline
首先会调用 Context
的静态方法 fireXXX
,并传入 Context
2)然后,静态方法调用 Context
的 invoker
方法,而 invoker
方法内部会调用该 Context
所包含的 Handler
的真正的 XXX
方法,调用结束后,如果还需要继续向后传递,就调用 Context
的 fireXXX2
方法,循环往复。
Context
包装 handler
,多个 Context
在 pipeline
中形成了双向链表,入站方向叫 inbound
,由 head
节点开始,出站方法叫 outbound
,由 tail
节点开始。
而节点中间的传递通过 Abstract ChannelHandlerContext
类内部的 fire
系列方法,找到当前节点的下一个节点不断的循环传播。是一个过滤器形式完成对 handler
的调度
10.6 Netty 心跳(heartbeat)服务源码剖析
10.6.1 源码剖析目的
Netty
作为一个网络框架,提供了诸多功能,比如编码解码等,Netty
还提供了非常重要的一个服务 – 心跳机制 heartbeat
。通过心跳检查对方是否有效,这是 RPC
框架中是必不可少的功能。下面我们分析一下 Netty
内部心跳服务源码实现。
10.6.2 源码剖析
说明
Netty
提供了 IdleStateHandler
,ReadTimeoutHandler
,WriteTimeoutHandler
三个 Handler
检测连接的有效性,重点分析 IdleStateHandler
。
如图
源码剖析:
5.Netty
提供的心跳介绍
1)Netty
提供了 IdleStateHandler
,ReadTimeoutHandler
,WriteTimeoutHandler
三个 Handler
检测连接的有效性。
2)如图
3)ReadTimeout
事件和 WriteTimeout
事件都会自动关闭连接,而且,属于异常处理,所以,这里只是介绍以下,我们重点看 IdleStateHandler
。
6.IdleStateHandler
分析
6.1 4
个属性
1 2 3 4 5 6 7 private final boolean observeOutput; private final long readerIdleTimeNanos; private final long writerIdleTimeNanos;private final long allIdleTimeNanos;
6.2handlerAdded
方法
当该 handler
被添加到 pipeline
中时,则调用 initialize
方法
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 void initialize(ChannelHandlerContext ctx) { switch (state) { case1: case2: return ; } state=1 ; initOutputChanged(ctx); lastReadTime = lastWriteTime = ticksInNanos(); if (readerIdleTimeNanos > 0 ) { readerIdleTimeout = schedule(ctx, new ReaderIdleTimeoutTask (ctx), readerIdleTimeNanos, TimeUnit.NANOSECONDS); } if (writerIdleTimeNanos > 0 ) { writerIdleTimeout = schedule(ctx, new WriterIdleTimeoutTask (ctx), writerIdleTimeNanos, TimeUnit.NANOSECONDS); } if (allIdleTimeNanos > 0 ) { allIdleTimeout = schedule(ctx, new AllIdleTimeoutTask (ctx), allIdleTimeNanos, TimeUnit.NANOSECONDS); } }Copy to clipboardErrorCopied
只要给定的参数大于 0
,就创建一个定时任务,每个事件都创建。同时,将 state
状态设置为 1
,防止重复初始化。调用 initOutputChanged
方法,初始化“监控出站数据属性”。
6.3该类内部的 3
个定时任务类
1)这 3
个定时任务分别对应读,写,读或者写事件。共有一个父类(AbstractIdleTask
)。这个父类提供了一个模板方法
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 private abstract static class AbstractIdleTask implements Runnable { private final ChannelHandlerContext ctx; AbstractIdleTask(ChannelHandlerContext ctx) { this .ctx = ctx; } @Override public void run () { if (!ctx.channel().isOpen()) { return ; } run(ctx); } protected abstract void run (ChannelHandlerContext ctx) ; }Copy to clipboardErrorCopied
说明:当通道关闭了,就不执行任务了。反之,执行子类的 run
方法
7.读事件的 run
方法(即 ReaderIdleTimeoutTask
的 run
方法)分析
1)代码及其说明
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 @Override protected void run (ChannelHandlerContext ctx) { long nextDelay = readerIdleTimeNanos; if (!reading) { nextDelay -= ticksInNanos() - lastReadTime; } if (nextDelay <= 0 ) { readerIdleTimeout = schedule(ctx, this , readerIdleTimeNanos, TimeUnit.NANOSECONDS); boolean first = firstReaderIdleEvent; firstReaderIdleEvent = false ; try { IdleStateEvent event = new IdleStateEvent (IdleState.READER_IDLE, first); channelIdle(ctx, event); } catch (Throwable t) { ctx.fireExceptionCaught(t); } } else { readerIdleTimeout = schedule(ctx, this , nextDelay, TimeUnit.NANOSECONDS); } }Copy to clipboardErrorCopied
说明:
1)得到用户设置的超时时间。
2)如果读取操作结束了(执行了 channelReadComplete
方法设置),就用当前时间减去给定时间和最后一次读(执操作的时间行了 channelReadComplete
方法设置),如果小于 0
,就触发事件。反之,继续放入队列。间隔时间是新的计算时间。
3)触发的逻辑是:首先将任务再次放到队列,时间是刚开始设置的时间,返回一个 promise
对象,用于做取消操作。然后,设置 first
属性为false
,表示,下一次读取不再是第一次了,这个属性在 channelRead
方法会被改成 true
。
4)创建一个 IdleStateEvent
类型的写事件对象,将此对象传递给用户的 UserEventTriggered
方法。完成触发事件的操作。
5)总的来说,每次读取操作都会记录一个时间,定时任务时间到了,会计算当前时间和最后一次读的时间的间隔,如果间隔超过了设置的时间,就触发 UserEventTriggered
方法。//前面介绍 IdleStateHandler
说过,可以看一下
8.写事件的 run
方法(即 WriterIdleTimeoutTask
的 run
方法)分析
1)run
代码和分析
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 @Override protected void run (ChannelHandlerContext ctx) { long lastWriteTime = IdleStateHandler.this .lastWriteTime; long nextDelay = writerIdleTimeNanos - (ticksInNanos()-lastWriteTime); if (nextDelay <=0 ) { writerIdleTimeout = schedule(ctx, this , writerIdleTimeNanos, TimeUnit.NANOSECONDS); boolean first = firstWriterIdleEvent; firstWriterIdleEvent = false ; try { if (hasOutputChanged(ctx, first)) { return ; } IdleStateEvent event = new IdleStateEvent (IdleState.WRITER_IDLE, first); channelIdle(ctx, event); } catch (Throwable t) { ctx.fireExceptionCaught(t); } } else { writerIdleTimeout = schedule(ctx, this , nextDelay, TimeUnit.NANOSECONDS); } }Copy to clipboardErrorCopied
说明:写任务的 run
代码逻辑基本和读任务的逻辑一样,唯一不同的就是有一个针对出站较慢数据的判断 hasOutputChanged
9.所有事件的 run
方法(即 AllIdleTimeoutTask
的 run
方法)分析
代码分析
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 @Override protected void run (ChannelHandlerContext ctx) { long nextDelay = allIdleTimeNanos; if (!reading) { nextDelay -= ticksInNanos() - Math.max(lastReadTime, lastWriteTime); } if (nextDelay <= 0 ) { allIdleTimeout = schedule(ctx, this , allIdleTimeNanos, TimeUnit.NANOSECONDS); boolean first = firstAllIdleEvent; firstAllIdleEvent = false ; try { if (hasOutputChanged(ctx, first)) { return ; } IdleStateEvent event = new IdleStateEvent (IdleState.ALL_IDLE, first); channelIdle(ctx, event); } catch (Throwable t) { ctx.fireExceptionCaught(t); } } else { allIdleTimeout = schedule(ctx, this , nextDelay, TimeUnit.NANOSECONDS); } }Copy to clipboardErrorCopied
说明:
1)表示这个监控着所有的事件。当读写事件发生时,都会记录。代码逻辑和写事件的的基本一致:
2)需要大家注意的地方是
1 2 3 4 5 long nextDelay = allIdleTimeNanos;if (!reading) { nextDelay -= ticksInNanos() - Math.max(lastReadTime, lastWriteTime); }Copy to clipboardErrorCopied
3)这里的时间计算是取读写事件中的最大值来的。然后像写事件一样,判断是否发生了写的慢的情况。
10.小结 Netty
的心跳机制
1)IdleStateHandler
可以实现心跳功能,当服务器和客户端没有任何读写交互时,并超过了给定的时间,则会触发用户 handler
的 userEventTriggered
方法。用户可以在这个方法中尝试向对方发送信息,如果发送失败,则关闭连接。
2)IdleStateHandler
的实现基于 EventLoop
的定时任务,每次读写都会记录一个值,在定时任务运行的时候,通过计算当前时间和设置时间和上次事件发生时间的结果,来判断是否空闲。
3)内部有 3
个定时任务,分别对应读事件,写事件,读写事件。通常用户监听读写事件就足够了。
4)同时,IdleStateHandler
内部也考虑了一些极端情况:客户端接收缓慢,一次接收数据的速度超过了设置的空闲时间。Netty
通过构造方法中的 observeOutput
属性来决定是否对出站缓冲区的情况进行判断。
5)如果出站缓慢,Netty
不认为这是空闲,也就不触发空闲事件。但第一次无论如何也是要触发的。因为第一次无法判断是出站缓慢还是空闲。当然,出站缓慢的话,可能造成 OOM
,OOM
比空闲的问题更大。
6)所以,当你的应用出现了内存溢出,OOM
之类,并且写空闲极少发生(使用了 observeOutput
为 true
),那么就需要注意是不是数据出站速度过慢。
7)还有一个注意的地方:就是 ReadTimeoutHandler
,它继承自 IdleStateHandler
,当触发读空闲事件的时候,就触发 ctx
. fireExceptionCaught
方法,并传入一个 ReadTimeoutException
,然后关闭 Socket
。
8)而 WriteTimeoutHandler
的实现不是基于 IdleStateHandler
的,他的原理是,当调用 write
方法的时候,会创建一个定时任务,任务内容是根据传入的 promise
的完成情况来判断是否超出了写的时间。当定时任务根据指定时间开始运行,发现 promise
的 isDone
方法返回 false
,表明还没有写完,说明超时了,则抛出异常。当 write
方法完成后,会打断定时任务。
10.7 Netty 核心组件 EventLoop 源码剖析
Echo
第一行代码就是:EventLoopGroup bossGroup = new NioEventLoopGroup(1)
; 下面分析其最核心的组件 EventLoop
。
源码剖析
1.EventLoop
介绍 1.1首先看看 NioEventLoop
的继承图
说明重点: 1)ScheduledExecutorService
接口表示是一个定时任务接口,EventLoop
可以接受定时任务。
2)EventLoop
接口:Netty
接口文档说明该接口作用:一旦 Channel
注册了,就处理该 Channel
对应的所有 I/O
操作。
3)SingleThreadEventExecutor
表示这是一个单个线程的线程池
4)EventLoop
是一个单例的线程池,里面含有一个死循环的线程不断的做着 3
件事情:监听端口,处理端口事件,处理队列事件。每个 EventLoop
都可以绑定多个 Channel
,而每个 Channel
始终只能由一个 EventLoop
来处理
NioEventLoop
的使用 - execute
方法
2.1 execute
源码剖析
在 EventLoop
的使用,一般就是 eventloop.execute(task);
看下 execute
方法的实现(在 SingleThreadEventExecutor
类中)
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 @Overridepublic void execute(Runnable task ) { if (task == null ) { throw new NullPointerException("task" ); } boolean inEventLoop = inEventLoop(); if (inEventLoop) { addTask(task ); } else { startThread(); addTask(task ); if (isShutdown() && removeTask(task )) { reject(); } } if (!addTaskWakesUp&&wakesUpForTask(task )) { wakeup(inEventLoop); } }Copy to clipboardErrorCopied
说明: 1)首先判断该 EventLoop
的线程是否是当前线程,如果是,直接添加到任务队列中去,如果不是,则尝试启动线程(但由于线程是单个的,因此只能启动一次),随后再将任务添加到队列中去。
2)如果线程已经停止,并且删除任务失败,则执行拒绝策略,默认是抛出异常。
3)如果 addTaskWakesUp
是 false
,并且任务不是 NonWakeupRunnable
类型的,就尝试唤醒 selector
。这个时候,阻塞在 selecor
的线程就会立即返回
4)可以下断点来追踪
2.2我们 debugaddTask
和 offerTask
方法源码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 protected void addTask (Runnable task) { if (task == null) { throw new NullPointerException ("task"); } if (!offerTask(task)) { reject (task); } } final boolean offerTask (Runnable task) { if (isShutdown()) { reject (); } return taskQueue.offer (task); }Copy to clipboardErrorCopied
3.NioEventLoop
的父类 SingleThreadEventExecutor
的 startThread
方法 3.1当执行 execute
方法的时候,如果当前线程不是 EventLoop
所属线程,则尝试启动线程,也就是 startThread
方法,dubug 代码如下:
1 2 3 4 5 6 7 8 9 10 11 12 private void startThread () { if (state == ST_NOT_STARTED) { if (STATE_UPDATER.compareAndSet(this, ST_NOT_STARTED, ST_STARTED)) { try{ doStartThread (); } catch (Throwable cause) { STATE_UPDATER.set (this, ST_NOT_STARTED); PlatformDependent.throwException (cause); } } } }Copy to clipboardErrorCopied
说明:该方法首先判断是否启动过了,保证 EventLoop
只有一个线程,如果没有启动过,则尝试使用 Cas
将 state
状态改为 ST_STARTED
,也就是已启动。然后调用 doStartThread
方法。如果失败,则进行回滚
看下 doStartThread
方法
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 private void doStartThread () { executor.execute(new Runnable() { @Override public void run () { boolean success = false ; updateLastExecutionTime(); try { SingleThreadEventExecutor.this .run(); success=true ; } finally { for ( ; ; ) { intoldState = state; if (oldState >= ST_SHUTTING_DOWN || STATE_UPDATER.compareAndSet(SingleThreadEventExecutor.this , oldState, ST_SHUTTING_DOWN)) { break ; } } try { for ( ; ; ) { if (confirmShutdown()) { break ; } } } finally { try { cleanup(); } finally { STATE_UPDATER.set (SingleThreadEventExecutor.this ,ST_TERMINATED); threadLock.release(); terminationFuture.setSuccess(null ); } } } } }); }Copy to clipboardErrorCopied
说明: 1)首先调用 executor
的 execute
方法,这个 executor
就是在创建 EventLoopGroup
的时候创建的 ThreadPerTaskExecutor
类。该 execute
方法会将 Runnable
包装成 Netty
的 FastThreadLocalThread
。
2)任务中,首先判断线程中断状态,然后设置最后一次的执行时间。
3)执行当前 NioEventLoop
的 run
方法,注意:这个方法是个死循环,是整个 EventLoop
的核心
4)在 finally
块中,使用 CAS
不断修改 state
状态,改成 ST_SHUTTING_DOWN
。也就是当线程 Loop
结束的时候。关闭线程。最后还要死循环确认是否关闭,否则不会 break
。然后,执行 cleanup
操作,更新状态为
5)ST_TERMINATED
,并释放当前线程锁。如果任务队列不是空,则打印队列中还有多少个未完成的任务。并回调 terminationFuture
方法。
6)其实最核心的就是 EventLoop
自身的 run
方法。再继续深入 run
方法
4.EventLoop
中的 Loop
是靠 run
实现的,我们分析下 run
方法(该方法在 NioEventLoop
)
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 45 46 47 48 49 50 51 @Override protected void run () { for ( ; ; ) { try { switch (selectStrategy.calculateStrategy(selectNowSupplier,hasTasks())) { case SelectStrategy.CONTINUE: continue ; case SelectStrategy.SELECT: select(wakenUp.getAndSet(false )); if (wakenUp.get()) { selector.wakeup(); } default : } cancelledKeys = 0; needsToSelectAgain = false ; final int ioRatio = this .ioRatio; if (ioRatio == 100 ) { try { processSelectedKeys(); } finally { runAllTasks(); } } else { final long ioStartTime = System.nanoTime(); try { processSelectedKeys(); } finally { final long ioTime = System.nanoTime() - ioStartTime; runAllTasks(ioTime * (100 - ioRatio) / ioRatio); } } } catch (Throwable t) { handleLoopException(t); } try { if (isShuttingDown()) { closeAll(); if (confirmShutdown()) { return ; } } } catch (Throwable t) { handleLoopException(t); } } }Copy to clipboardErrorCopied
说明: 1)从上面的步骤可以看出,整个 run
方法做了 3
件事情: select
获取感兴趣的事件。 processSelectedKeys
处理事件。 runAllTasks
执行队列中的任务。
2)上面的三个方法,我们就追一下 select
方法(体现非阻塞)核心 select
方法解析
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 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 private void select(boolean oldWakenUp) throws IOException { Selector selector = this .selector; try { int selectCnt = 0 ; long currentTimeNanos = System.nanoTime(); long selectDeadLineNanos = currentTimeNanos + delayNanos(currentTimeNanos); for ( ; ; ) { long timeoutMillis = (selectDeadLineNanos - currentTimeNanos + 500000 L)/1000000 L; if (timeoutMillis <= 0 ) { if (selectCnt == 0 ) { selector.selectNow(); selectCnt=1 ; } break ; } if (hasTasks() && wakenUp.compareAndSet(false , true )) { selector.selectNow(); selectCnt = 1 ; break ; } int selectedKeys = selector.select(timeoutMillis); selectCnt++; if (selectedKeys != 0 || oldWakenUp || wakenUp.get() || hasTasks() || hasScheduledTasks()) { break ; } if (Thread.interrupted()) { if (logger.isDebugEnabled()) { logger.debug("Selector.select() returned prematurely because " + " Thread.currentThread().interrupt() was called. Use " + " NioEventLoop.shutdownGracefully() to shutdowntheNioEventLoop." ); } selectCnt = 1 ; break ; } long time = System.nanoTime(); if (time - TimeUnit.MILLISECONDS.toNanos(timeoutMillis) >= currentTimeNanos) { selectCnt =1 ; } 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, selector); rebuildSelector(); selector = this .selector; selector.selectNow(); selectCnt = 1 ; break ; } currentTimeNanos = time; } if (selectCnt > MIN_PREMATURE_SELECTOR_RETURNS) { if (logger.isDebugEnabled()) { logger.debug("Selector.select()returned prematurely {} times in a row for Selector{}." , selectCnt - 1 , selector); } } } catch (CancelledKeyException e) { if (logger.isDebugEnabled()) { logger.debug(CancelledKeyException.class .getSimpleName() + "raisedbyaSelector {} - JDKbug?" , selector, e); } } }Copy to clipboardErrorCopied
说明:调用 selector
的 select
方法,默认阻塞一秒钟,如果有定时任务,则在定时任务剩余时间的基础上在加上 0.5
秒进行阻塞。当执行 execute
方法的时候,也就是添加任务的时候,唤醒 selector
,防止 selector
阻塞时间过长
5.EventLoop
作为 Netty
的核心的运行机制小结
1)每次执行 execute
方法都是向队列中添加任务。当第一次添加时就启动线程,执行 run
方法,而 run
方法是整个 EventLoop
的核心,就像 EventLoop
的名字一样,LoopLoop
,不停的 Loop
,Loop
做什么呢?做 3
件事情。
调用 selector
的 select
方法,默认阻塞一秒钟,如果有定时任务,则在定时任务剩余时间的基础上在加上 0.5
秒进行阻塞。当执行 execute
方法的时候,也就是添加任务的时候,唤醒 selecor
,防止 selector
阻塞时间过长。
当 selector
返回的时候,回调用 processSelectedKeys
方法对 selectKey
进行处理。
当 processSelectedKeys
方法执行结束后,则按照 ioRatio
的比例执行 runAllTasks
方法,默认是 IO
任务时间和非 IO
任务时间是相同的,你也可以根据你的应用特点进行调优。比如非 IO
任务比较多,那么你就将
ioRatio
调小一点,这样非 IO
任务就能执行的长一点。防止队列积攒过多的任务。
10.8 handler 中加入线程池和 Context 中添加线程池的源码剖析
10.8.1 源码剖析目的
在 Netty
中做耗时的,不可预料的操作,比如数据库,网络请求,会严重影响 Netty
对 Socket
的处理速度。
而解决方法就是将耗时任务添加到异步线程池中。但就添加线程池这步操作来讲,可以有 2
种方式,而且这 2
种方式实现的区别也蛮大的。
处理耗时业务的第一种方式 – handler
中加入线程池
处理耗时业务的第二种方式 – Context
中添加线程池
我们就来分析下两种方式
10.8.2 源码剖析
说明 演示两种方式的实现,以及从源码来追踪两种方式执行流程
处理耗时业务的第一种方式 – handler种加入线程池
1对前面的 Netty
demo
源码进行修改,在 EchoServerHandler
的 channelRead
方法进行异步
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 @Sharable public class EchoServerHandler extends ChannelInboundHandlerAdapter { static final EventExecutorGroup group = new DefaultEventExecutorGroup (16 ); @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws UnsupportedEncodingException, InterruptedException { final Object msgCop = msg; final ChannelHandlerContext cxtCop = ctx; group.submit(new Callable <Object>() { @Override public Object call () throws Exception { ByteBuf buf = (ByteBuf)msgCop; byte [] req = new byte [buf.readableBytes()]; buf.readBytes(req); String body = new String (req, "UTF-8" ); Thread.sleep(10 * 1000 ); System.err.println(body + " " + Thread.currentThread().getName()); String reqString = "Helloiamserver~~~" ; ByteBuf resp = Unpooled.copiedBuffer(reqString.getBytes()); cxtCop.writeAndFlush(resp); return null ; } }); System.out.println("goon.." ); } @Override public void channelReadComplete (ChannelHandlerContext ctx) { ctx.flush(); } @Override public void exceptionCaught (ChannelHandlerContext ctx, Throwable cause) { cause.printStackTrace(); ctx.close(); } }Copy to clipboardErrorCopied
说明: 1)在 channelRead
方法,模拟了一个耗时 10
秒的操作,这里,我们将这个任务提交到了一个自定义的业务线程池中,这样,就不会阻塞 Netty
的 IO
线程。
11.2这样处理之后,整个程序的逻辑如图
说明:
1)解释一下上图,当 IO
线程轮询到一个 socket
事件,然后,IO
线程开始处理,当走到耗时 handler
的时候,将耗时任务交给业务线程池。
2)当耗时任务执行完毕再执行 pipeline write
方法的时候,(代码中使用的是 context
的 write
方法,上图画的是执行 pipeline
方法,是一个意思)会将任务这个任务交给 IO
线程
11.3 write
方法的源码(在 AbstractChannelHandlerContext
类)
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 private void write (Object msg, boolean flush, ChannelPromise promise) { AbstractChannelHandlerContext next = findContextOutbound(); final Object m = pipeline.touch(msg, next ); EventExecutor executor = next .executor(); if (executor.inEventLoop()) { if (flush) { next .invokeWriteAndFlush(m, promise); } else { next .invokeWrite(m, promise); } } else { AbstractWriteTask task ; if (flush) { task = WriteAndFlushTask.newInstance(next , m, promise); } else { task = WriteTask.newInstance(next , m, promise); } safeExecute(executor, task , promise, m); } }Copy to clipboardErrorCopied
说明:
1)当判定下个 outbound
的 executor
线程不是当前线程的时候,会将当前的工作封装成 task
,然后放入 mpsc
队列中,等待 IO
任务执行完毕后执行队列中的任务。
2)这里可以 Debug 来验证(提醒:Debug 时,服务器端 Debug, 客户端 Run
的方式),当我们使用了 group.submit(new Callable<Object> (){}
在 handler
中加入线程池,就会进入到 safeExecute(executor, task, promise, m);
如果去掉这段代码,而使用普通方式来执行耗时的业务,那么就不会进入到 safeExecute(executor, task, promise, m);
(说明:普通方式执行耗时代码,看我准备好的案例即可)
12.处理耗时业务的第二种方式 -Context
中添加线程池 1.1在添加 pipeline
中的 handler
时候,添加一个线程池
//属性
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 static final EventExecutorGroup group = new DefaultEventExecutorGroup(16 ); ServerBootstrap b = new ServerBootstrap(); b.group (bossGroup, workerGroup) .channel(NioServerSocketChannel.class ) .option (ChannelOption.SO_BACKLOG, 100 ) .handler (newLoggingHandler(LogLevel.INFO )) .childHandler(new ChannelInitializer<SocketChannel>() { @Override public void initChannel(SocketChannel ch) throws Exception { ChannelPipeline p = ch.pipeline(); if (sslCtx != null ) { p.addLast(sslCtx.newHandler(ch.alloc())); } //p.addLast(new LoggingHandler(LogLevel.INFO )); //p.addLast(new EchoServerHandler()); p.addLast(group , new EchoServerHandler()); } });Copy to clipboardErrorCopied
说明:
1)handler
中的代码就使用普通的方式来处理耗时业务。
2)当我们在调用 addLast
方法添加线程池后,handler
将优先使用这个线程池,如果不添加,将使用 IO
线程
3)当走到 AbstractChannelHandlerContext
的 invokeChannelRead
方法的时候,executor.inEventLoop()
是不会通过的,因为当前线程是 IO
线程 Context
(也就是 Handler
)的 executor
是业务线程,所以会异步执行,debug 下源码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 static void invokeChannelRead(final AbstractChannelHandlerContext next , Object msg) { final Object m = next .pipeline.touch(ObjectUtil.checkNotNull(msg, "msg" ), next ); EventExecutor executor = next .executor(); if (executor.inEventLoop()) { next .invokeChannelRead(m); } else { executor.execute(new Runnable() { @Override public void run() { next .invokeChannelRead(m); } }); } }Copy to clipboardErrorCopied
4)验证时,我们如果去掉 p.addLast(group,newEchoServerHandler());
改成 p.addLastnewEchoServerHandler());
你会发现代码不会进行异步执行。
5)后面的整个流程就变成和第一个方式一样了
13.两种方式的比较
1)第一种方式在 handler
中添加异步,可能更加的自由,比如如果需要访问数据库,那我就异步,如果不需要,就不异步,异步会拖长接口响应时间。因为需要将任务放进 mpscTask
中。如果 IO
时间很短,task
很多,可能一个循环下来,都没时间执行整个 task
,导致响应时间达不到指标。
2)第二种方式是 Netty
标准方式(即加入到队列),但是,这么做会将整个 handler
都交给业务线程池。不论耗时不耗时,都加入到队列里,不够灵活。
3)各有优劣,从灵活性考虑,第一种较好。
第 11 章 用 Netty 自己实现 Dubbo RPC
11.1 RPC 基本介绍
RPC(Remote Procedure Call)
—远程过程调用,是一个计算机通信协议。该协议允许运行于一台计算机的程序调用另一台计算机的子程序,而程序员无需额外地为这个交互作用编程
两个或多个应用程序都分布在不同的服务器上,它们之间的调用都像是本地方法调用一样(如图)
常见的 RPC
框架有:比较知名的如阿里的 Dubbo
、Google
的 gRPC
、Go
语言的 rpcx
、Apache
的 thrift
,Spring
旗下的 SpringCloud
。
11.2 RPC 调用流程图
11.3 PRC 调用流程说明
服务消费方(client
)以本地调用方式调用服务
client stub
接收到调用后负责将方法、参数等封装成能够进行网络传输的消息体
client stub
将消息进行编码并发送到服务端
server stub
收到消息后进行解码
server stub
根据解码结果调用本地的服务
本地服务执行并将结果返回给 server stub
server stub
将返回导入结果进行编码并发送至消费方
client stub
接收到消息并进行解码
服务消费方(client
)得到结果
小结:RPC
的目标就是将 2 - 8
这些步骤都封装起来,用户无需关心这些细节,可以像调用本地方法一样即可完成远程服务调用
11.4 自己实现 Dubbo RPC(基于 Netty)
11.4.1 需求说明
Dubbo
底层使用了 Netty
作为网络通讯框架,要求用 Netty
实现一个简单的 RPC
框架
模仿 Dubbo
,消费者和提供者约定接口和协议,消费者远程调用提供者的服务,提供者返回一个字符串,消费者打印提供者返回的数据。底层网络通信使用 Netty 4.1.20
创建一个接口,定义抽象方法。用于消费者和提供者之间的约定。
创建一个提供者,该类需要监听消费者的请求,并按照约定返回数据。
创建一个消费者,该类需要透明的调用自己不存在的方法,内部需要使用 Netty
请求提供者返回数据
开发的分析图
11.4.3 代码实现
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 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 package com.atguigu.netty.dubborpc.publicinterface;public interface HelloService { String hello (String mes) ; }package com.atguigu.netty.dubborpc.provider;import com.atguigu.netty.dubborpc.publicinterface.HelloService;public class HelloServiceImpl implements HelloService { private static int count = 0 ; @Override public String hello (String mes) { System.out.println("收到客户端消息=" + mes); if (mes != null ) { return "你好客户端, 我已经收到你的消息 [" + mes + "] 第" + (++count) + " 次" ; } else { return "你好客户端, 我已经收到你的消息 " ; } } }package com.atguigu.netty.dubborpc.provider;import com.atguigu.netty.dubborpc.netty.NettyServer;public class ServerBootstrap { public static void main (String[] args) { NettyServer.startServer("127.0.0.1" , 7000 ); } }package com.atguigu.netty.dubborpc.netty;import io.netty.bootstrap.ServerBootstrap;import io.netty.channel.ChannelFuture;import io.netty.channel.ChannelInitializer;import io.netty.channel.ChannelPipeline;import io.netty.channel.EventLoopGroup;import io.netty.channel.nio.NioEventLoopGroup;import io.netty.channel.socket.SocketChannel;import io.netty.channel.socket.nio.NioServerSocketChannel;import io.netty.handler.codec.string.StringDecoder;import io.netty.handler.codec.string.StringEncoder;public class NettyServer { public static void startServer (String hostName, int port) { startServer0(hostName, port); } private static void startServer0 (String hostname, int port) { EventLoopGroup bossGroup = new NioEventLoopGroup (1 ); EventLoopGroup workerGroup = new NioEventLoopGroup (); try { ServerBootstrap serverBootstrap = new ServerBootstrap (); serverBootstrap.group(bossGroup, workerGroup) .channel(NioServerSocketChannel.class) .childHandler(new ChannelInitializer <SocketChannel>() { @Override protected void initChannel (SocketChannel ch) throws Exception { ChannelPipeline pipeline = ch.pipeline(); pipeline.addLast(new StringDecoder ()); pipeline.addLast(new StringEncoder ()); pipeline.addLast(new NettyServerHandler ()); } } ); ChannelFuture channelFuture = serverBootstrap.bind(hostname, port).sync(); System.out.println("服务提供方开始提供服务~~" ); channelFuture.channel().closeFuture().sync(); } catch (Exception e) { e.printStackTrace(); } finally { bossGroup.shutdownGracefully(); workerGroup.shutdownGracefully(); } } }package com.atguigu.netty.dubborpc.netty;import com.atguigu.netty.dubborpc.customer.ClientBootstrap;import com.atguigu.netty.dubborpc.provider.HelloServiceImpl;import io.netty.channel.ChannelHandlerContext;import io.netty.channel.ChannelInboundHandlerAdapter;public class NettyServerHandler extends ChannelInboundHandlerAdapter { @Override public void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { System.out.println("msg=" + msg); if (msg.toString().startsWith(ClientBootstrap.providerName)) { String result = new HelloServiceImpl ().hello(msg.toString().substring(msg.toString().lastIndexOf("#" ) + 1 )); ctx.writeAndFlush(result); } } @Override public void exceptionCaught (ChannelHandlerContext ctx, Throwable cause) throws Exception { ctx.close(); } }package com.atguigu.netty.dubborpc.netty;import io.netty.channel.ChannelHandlerContext;import io.netty.channel.ChannelInboundHandlerAdapter;import java.util.concurrent.Callable;public class NettyClientHandler extends ChannelInboundHandlerAdapter implements Callable { private ChannelHandlerContext context; private String result; private String para; @Override public void channelActive (ChannelHandlerContext ctx) throws Exception { System.out.println(" channelActive 被调用 " ); context = ctx; } @Override public synchronized void channelRead (ChannelHandlerContext ctx, Object msg) throws Exception { System.out.println(" channelRead 被调用 " ); result = msg.toString(); notify(); } @Override public void exceptionCaught (ChannelHandlerContext ctx, Throwable cause) throws Exception { ctx.close(); } @Override public synchronized Object call () throws Exception { System.out.println(" call1 被调用 " ); context.writeAndFlush(para); wait(); System.out.println(" call2 被调用 " ); return result; } void setPara (String para) { System.out.println(" setPara " ); this .para = para; } }package com.atguigu.netty.dubborpc.netty;import io.netty.bootstrap.Bootstrap;import io.netty.channel.ChannelInitializer;import io.netty.channel.ChannelOption;import io.netty.channel.ChannelPipeline;import io.netty.channel.nio.NioEventLoopGroup;import io.netty.channel.socket.SocketChannel;import io.netty.channel.socket.nio.NioSocketChannel;import io.netty.handler.codec.string.StringDecoder;import io.netty.handler.codec.string.StringEncoder;import java.lang.reflect.Proxy;import java.util.concurrent.Executor;import java.util.concurrent.ExecutorService;import java.util.concurrent.Executors;public class NettyClient { private static ExecutorService executor = Executors.newFixedThreadPool(Runtime.getRuntime().availableProcessors()); private static NettyClientHandler client; private int count = 0 ; public Object getBean (final Class<?> serivceClass, final String providerName) { return Proxy.newProxyInstance(Thread.currentThread().getContextClassLoader(), new Class <?>[]{serivceClass}, (proxy, method, args) -> { System.out.println("(proxy, method, args) 进入...." + (++count) + " 次" ); if (client == null ) { initClient(); } client.setPara(providerName + args[0 ]); return executor.submit(client).get(); }); } private static void initClient () { client = new NettyClientHandler (); NioEventLoopGroup group = new NioEventLoopGroup (); Bootstrap bootstrap = new Bootstrap (); bootstrap.group(group) .channel(NioSocketChannel.class) .option(ChannelOption.TCP_NODELAY, true ) .handler( new ChannelInitializer <SocketChannel>() { @Override protected void initChannel (SocketChannel ch) throws Exception { ChannelPipeline pipeline = ch.pipeline(); pipeline.addLast(new StringDecoder ()); pipeline.addLast(new StringEncoder ()); pipeline.addLast(client); } } ); try { bootstrap.connect("127.0.0.1" , 7000 ).sync(); } catch (Exception e) { e.printStackTrace(); } } }package com.atguigu.netty.dubborpc.customer;import com.atguigu.netty.dubborpc.netty.NettyClient;import com.atguigu.netty.dubborpc.publicinterface.HelloService;public class ClientBootstrap { public static final String providerName = "HelloService#hello#" ; public static void main (String[] args) throws Exception { NettyClient customer = new NettyClient (); HelloService service = (HelloService) customer.getBean(HelloService.class, providerName); for (; ; ) { Thread.sleep(2 * 1000 ); String res = service.hello("你好 dubbo~" ); System.out.println("调用的结果 res= " + res); } } }