1、三大组件简介

1.1、Channel与Buffer

Java NIO系统的核心在于:通道(Channel)和缓冲区(Buffer)。通道表示打开到 IO 设备(例如:文件、套接字)的连接。若需要使用 NIO 系统,需要获取用于连接 IO 设备的通道以及用于容纳数据的缓冲区。然后操作缓冲区,对数据进行处理
简而言之,通道负责传输,缓冲区负责存储
常见的Channel有以下四种,其中FileChannel主要用于文件传输,其余三种用于网络通信

  • FileChannel
  • DatagramChannel
  • SocketChannel
  • ServerSocketChannel

Buffer有以下几种,其中使用较多的是ByteBuffer

  • ByteBuffer
    • MappedByteBuffer
    • DirectByteBuffer
    • HeapByteBuffer
  • ShortBuffer
  • IntBuffer
  • LongBuffer
  • FloatBuffer
  • DoubleBuffer
  • CharBuffer

image.png

1.2、Selector

在使用Selector之前,处理socket连接还有以下两种方法
使用多线程技术
为每个连接分别开辟一个线程,分别去处理对应的socke连接
image.png
这种方法存在以下几个问题

  • 内存占用高
    • 每个线程都需要占用一定的内存,当连接较多时,会开辟大量线程,导致占用大量内存
  • 线程上下文切换成本高
  • 只适合连接数少的场景
    • 连接数过多,会导致创建很多线程,从而出现问题

使用线程池技术
使用线程池,让线程池中的线程去处理连接
image.png
这种方法存在以下几个问题

  • 阻塞模式下,线程仅能处理一个连接
    • 线程池中的线程获取任务(task)后,只有当其执行完任务之后(断开连接后),才会去获取并执行下一个任务
    • 若socke连接一直未断开,则其对应的线程无法处理其他socke连接
  • 仅适合短连接场景
    • 短连接即建立连接发送请求并响应后就立即断开,使得线程池中的线程可以快速处理其他连接

使用选择器
selector 的作用就是配合一个线程来管理多个 channel(fileChannel因为是阻塞式的,所以无法使用selector),获取这些 channel 上发生的事件,这些 channel 工作在非阻塞模式下,当一个channel中没有执行任务时,可以去执行其他channel中的任务。适合连接数多,但流量较少的场景
image.png
若事件未就绪,调用 selector 的 select() 方法会阻塞线程,直到 channel 发生了就绪事件。这些事件就绪后,select 方法就会返回这些事件交给 thread 来处理

1.3、ByteBuffer

1、使用案例

使用方式
  • 向 buffer 写入数据,例如调用 channel.read(buffer)
  • 调用 flip() 切换至读模式
    • flip会使得buffer中的limit变为position,position变为0
  • 从 buffer 读取数据,例如调用 buffer.get()
  • 调用 clear() 或者compact()切换至写模式
    • 调用clear()方法时position=0,limit变为capacity
    • 调用compact()方法时,会将缓冲区中的未读数据压缩到缓冲区前面
  • 重复以上步骤

使用ByteBuffer读取文件中的内容

  1. public class TestByteBuffer {
  2. public static void main(String[] args) {
  3. // 获得FileChannel
  4. try (FileChannel channel = new FileInputStream("stu.txt").getChannel()) {
  5. // 获得缓冲区
  6. ByteBuffer buffer = ByteBuffer.allocate(10);
  7. int hasNext = 0;
  8. StringBuilder builder = new StringBuilder();
  9. while((hasNext = channel.read(buffer)) > 0) {
  10. // 切换模式 limit=position, position=0
  11. buffer.flip();
  12. // 当buffer中还有数据时,获取其中的数据
  13. while(buffer.hasRemaining()) {
  14. builder.append((char)buffer.get());
  15. }
  16. // 切换模式 position=0, limit=capacity
  17. buffer.clear();
  18. }
  19. System.out.println(builder.toString());
  20. } catch (IOException e) {
  21. }
  22. }
  23. }

打印结果
0123456789abcdef

2、核心属性

字节缓冲区的父类Buffer中有几个核心属性,如下

  1. // Invariants: mark <= position <= limit <= capacity
  2. private int mark = -1;
  3. private int position = 0;
  4. private int limit;
  5. private int capacity;
  • apacity:缓冲区的容量。通过构造函数赋予,一旦设置,无法更改
  • limit:缓冲区的界限。位于limit 后的数据不可读写。缓冲区的限制不能为负,并且不能大于其容量
  • position下一个读写位置的索引(类似PC)。缓冲区的位置不能为负,并且不能大于limit
  • mark:记录当前position的值。position被改变后,可以通过调用reset() 方法恢复到mark的位置。

以上四个属性必须满足以下要求
mark <= position <= limit <= capacity

3、核心方法

put()方法
  • put()方法可以将一个数据放入到缓冲区中。
  • 进行该操作后,postition的值会+1,指向下一个可以放入的位置。capacity = limit ,为缓冲区容量的值。

image.png

flip()方法
  • flip()方法会切换对缓冲区的操作模式,由写->读 / 读->写
  • 进行该操作后
    • 如果是写模式->读模式,position = 0 , limit 指向最后一个元素的下一个位置,capacity不变
    • 如果是读->写,则恢复为put()方法中的值

image.png

get()方法
  • get()方法会读取缓冲区中的一个值
  • 进行该操作后,position会+1,如果超过了limit则会抛出异常
  • 注意:get(i)方法不会改变position的值

image.png

rewind()方法
  • 该方法只能在读模式下使用
  • rewind()方法后,会恢复position、limit和capacity的值,变为进行get()前的值

image.png

clean()方法
  • clean()方法会将缓冲区中的各个属性恢复为最初的状态,position = 0, capacity = limit
  • 此时缓冲区的数据依然存在,处于“被遗忘”状态,下次进行写操作时会覆盖这些数据

image.png

mark()和reset()方法
  • mark()方法会将postion的值保存到mark属性中
  • reset()方法会将position的值改为mark中保存的值

    compact()方法

    此方法为ByteBuffer的方法,而不是Buffer的方法

  • compact会把未读完的数据向前压缩,然后切换到写模式

  • 数据前移后,原位置的值并未清零,写时会覆盖之前的值

image.png

clear() VS compact()

clear只是对position、limit、mark进行重置,而compact在对position进行设置,以及limit、mark进行重置的同时,还涉及到数据在内存中拷贝(会调用arraycopy)。所以compact比clear更耗性能。但compact能保存你未读取的数据,将新数据追加到为读取的数据之后;而clear则不行,若你调用了clear,则未读取的数据就无法再读取到了
所以需要根据情况来判断使用哪种方法进行模式切换

4、方法调用及演示

ByteBuffer调试工具类

需要先导入netty依赖

  1. <dependency>
  2. <groupId>io.netty</groupId>
  3. <artifactId>netty-all</artifactId>
  4. <version>4.1.51.Final</version>
  5. </dependency>
  1. import java.nio.ByteBuffer;
  2. import io.netty.util.internal.MathUtil;
  3. import io.netty.util.internal.StringUtil;
  4. import io.netty.util.internal.MathUtil.*;
  5. /**
  6. * @author Panwen Chen
  7. * @date 2021/4/12 15:59
  8. */
  9. public class ByteBufferUtil {
  10. private static final char[] BYTE2CHAR = new char[256];
  11. private static final char[] HEXDUMP_TABLE = new char[256 * 4];
  12. private static final String[] HEXPADDING = new String[16];
  13. private static final String[] HEXDUMP_ROWPREFIXES = new String[65536 >>> 4];
  14. private static final String[] BYTE2HEX = new String[256];
  15. private static final String[] BYTEPADDING = new String[16];
  16. static {
  17. final char[] DIGITS = "0123456789abcdef".toCharArray();
  18. for (int i = 0; i < 256; i++) {
  19. HEXDUMP_TABLE[i << 1] = DIGITS[i >>> 4 & 0x0F];
  20. HEXDUMP_TABLE[(i << 1) + 1] = DIGITS[i & 0x0F];
  21. }
  22. int i;
  23. // Generate the lookup table for hex dump paddings
  24. for (i = 0; i < HEXPADDING.length; i++) {
  25. int padding = HEXPADDING.length - i;
  26. StringBuilder buf = new StringBuilder(padding * 3);
  27. for (int j = 0; j < padding; j++) {
  28. buf.append(" ");
  29. }
  30. HEXPADDING[i] = buf.toString();
  31. }
  32. // Generate the lookup table for the start-offset header in each row (up to 64KiB).
  33. for (i = 0; i < HEXDUMP_ROWPREFIXES.length; i++) {
  34. StringBuilder buf = new StringBuilder(12);
  35. buf.append(StringUtil.NEWLINE);
  36. buf.append(Long.toHexString(i << 4 & 0xFFFFFFFFL | 0x100000000L));
  37. buf.setCharAt(buf.length() - 9, '|');
  38. buf.append('|');
  39. HEXDUMP_ROWPREFIXES[i] = buf.toString();
  40. }
  41. // Generate the lookup table for byte-to-hex-dump conversion
  42. for (i = 0; i < BYTE2HEX.length; i++) {
  43. BYTE2HEX[i] = ' ' + StringUtil.byteToHexStringPadded(i);
  44. }
  45. // Generate the lookup table for byte dump paddings
  46. for (i = 0; i < BYTEPADDING.length; i++) {
  47. int padding = BYTEPADDING.length - i;
  48. StringBuilder buf = new StringBuilder(padding);
  49. for (int j = 0; j < padding; j++) {
  50. buf.append(' ');
  51. }
  52. BYTEPADDING[i] = buf.toString();
  53. }
  54. // Generate the lookup table for byte-to-char conversion
  55. for (i = 0; i < BYTE2CHAR.length; i++) {
  56. if (i <= 0x1f || i >= 0x7f) {
  57. BYTE2CHAR[i] = '.';
  58. } else {
  59. BYTE2CHAR[i] = (char) i;
  60. }
  61. }
  62. }
  63. /**
  64. * 打印所有内容
  65. * @param buffer
  66. */
  67. public static void debugAll(ByteBuffer buffer) {
  68. int oldlimit = buffer.limit();
  69. buffer.limit(buffer.capacity());
  70. StringBuilder origin = new StringBuilder(256);
  71. appendPrettyHexDump(origin, buffer, 0, buffer.capacity());
  72. System.out.println("+--------+-------------------- all ------------------------+----------------+");
  73. System.out.printf("position: [%d], limit: [%d]\n", buffer.position(), oldlimit);
  74. System.out.println(origin);
  75. buffer.limit(oldlimit);
  76. }
  77. /**
  78. * 打印可读取内容
  79. * @param buffer
  80. */
  81. public static void debugRead(ByteBuffer buffer) {
  82. StringBuilder builder = new StringBuilder(256);
  83. appendPrettyHexDump(builder, buffer, buffer.position(), buffer.limit() - buffer.position());
  84. System.out.println("+--------+-------------------- read -----------------------+----------------+");
  85. System.out.printf("position: [%d], limit: [%d]\n", buffer.position(), buffer.limit());
  86. System.out.println(builder);
  87. }
  88. private static void appendPrettyHexDump(StringBuilder dump, ByteBuffer buf, int offset, int length) {
  89. if (MathUtil.isOutOfBounds(offset, length, buf.capacity())) {
  90. throw new IndexOutOfBoundsException(
  91. "expected: " + "0 <= offset(" + offset + ") <= offset + length(" + length
  92. + ") <= " + "buf.capacity(" + buf.capacity() + ')');
  93. }
  94. if (length == 0) {
  95. return;
  96. }
  97. dump.append(
  98. " +-------------------------------------------------+" +
  99. StringUtil.NEWLINE + " | 0 1 2 3 4 5 6 7 8 9 a b c d e f |" +
  100. StringUtil.NEWLINE + "+--------+-------------------------------------------------+----------------+");
  101. final int startIndex = offset;
  102. final int fullRows = length >>> 4;
  103. final int remainder = length & 0xF;
  104. // Dump the rows which have 16 bytes.
  105. for (int row = 0; row < fullRows; row++) {
  106. int rowStartIndex = (row << 4) + startIndex;
  107. // Per-row prefix.
  108. appendHexDumpRowPrefix(dump, row, rowStartIndex);
  109. // Hex dump
  110. int rowEndIndex = rowStartIndex + 16;
  111. for (int j = rowStartIndex; j < rowEndIndex; j++) {
  112. dump.append(BYTE2HEX[getUnsignedByte(buf, j)]);
  113. }
  114. dump.append(" |");
  115. // ASCII dump
  116. for (int j = rowStartIndex; j < rowEndIndex; j++) {
  117. dump.append(BYTE2CHAR[getUnsignedByte(buf, j)]);
  118. }
  119. dump.append('|');
  120. }
  121. // Dump the last row which has less than 16 bytes.
  122. if (remainder != 0) {
  123. int rowStartIndex = (fullRows << 4) + startIndex;
  124. appendHexDumpRowPrefix(dump, fullRows, rowStartIndex);
  125. // Hex dump
  126. int rowEndIndex = rowStartIndex + remainder;
  127. for (int j = rowStartIndex; j < rowEndIndex; j++) {
  128. dump.append(BYTE2HEX[getUnsignedByte(buf, j)]);
  129. }
  130. dump.append(HEXPADDING[remainder]);
  131. dump.append(" |");
  132. // Ascii dump
  133. for (int j = rowStartIndex; j < rowEndIndex; j++) {
  134. dump.append(BYTE2CHAR[getUnsignedByte(buf, j)]);
  135. }
  136. dump.append(BYTEPADDING[remainder]);
  137. dump.append('|');
  138. }
  139. dump.append(StringUtil.NEWLINE +
  140. "+--------+-------------------------------------------------+----------------+");
  141. }
  142. private static void appendHexDumpRowPrefix(StringBuilder dump, int row, int rowStartIndex) {
  143. if (row < HEXDUMP_ROWPREFIXES.length) {
  144. dump.append(HEXDUMP_ROWPREFIXES[row]);
  145. } else {
  146. dump.append(StringUtil.NEWLINE);
  147. dump.append(Long.toHexString(rowStartIndex & 0xFFFFFFFFL | 0x100000000L));
  148. dump.setCharAt(dump.length() - 9, '|');
  149. dump.append('|');
  150. }
  151. }
  152. public static short getUnsignedByte(ByteBuffer buffer, int index) {
  153. return (short) (buffer.get(index) & 0xFF);
  154. }
  155. }

调用ByteBuffer的方法
  1. public class TestByteBuffer {
  2. public static void main(String[] args) {
  3. ByteBuffer buffer = ByteBuffer.allocate(10);
  4. // 向buffer中写入1个字节的数据
  5. buffer.put((byte)97);
  6. // 使用工具类,查看buffer状态
  7. ByteBufferUtil.debugAll(buffer);
  8. // 向buffer中写入4个字节的数据
  9. buffer.put(new byte[]{98, 99, 100, 101});
  10. ByteBufferUtil.debugAll(buffer);
  11. // 获取数据
  12. buffer.flip();
  13. ByteBufferUtil.debugAll(buffer);
  14. System.out.println(buffer.get());
  15. System.out.println(buffer.get());
  16. ByteBufferUtil.debugAll(buffer);
  17. // 使用compact切换模式
  18. buffer.compact();
  19. ByteBufferUtil.debugAll(buffer);
  20. // 再次写入
  21. buffer.put((byte)102);
  22. buffer.put((byte)103);
  23. ByteBufferUtil.debugAll(buffer);
  24. }
  25. }

结果

  1. // 向缓冲区写入了一个字节的数据,此时postition为1
  2. +--------+-------------------- all ------------------------+----------------+
  3. position: [1], limit: [10]
  4. +-------------------------------------------------+
  5. | 0 1 2 3 4 5 6 7 8 9 a b c d e f |
  6. +--------+-------------------------------------------------+----------------+
  7. |00000000| 61 00 00 00 00 00 00 00 00 00 |a......... |
  8. +--------+-------------------------------------------------+----------------+
  9. // 向缓冲区写入四个字节的数据,此时position为5
  10. +--------+-------------------- all ------------------------+----------------+
  11. position: [5], limit: [10]
  12. +-------------------------------------------------+
  13. | 0 1 2 3 4 5 6 7 8 9 a b c d e f |
  14. +--------+-------------------------------------------------+----------------+
  15. |00000000| 61 62 63 64 65 00 00 00 00 00 |abcde..... |
  16. +--------+-------------------------------------------------+----------------+
  17. // 调用flip切换模式,此时position为0,表示从第0个数据开始读取
  18. +--------+-------------------- all ------------------------+----------------+
  19. position: [0], limit: [5]
  20. +-------------------------------------------------+
  21. | 0 1 2 3 4 5 6 7 8 9 a b c d e f |
  22. +--------+-------------------------------------------------+----------------+
  23. |00000000| 61 62 63 64 65 00 00 00 00 00 |abcde..... |
  24. +--------+-------------------------------------------------+----------------+
  25. // 读取两个字节的数据
  26. 97
  27. 98
  28. // position变为2
  29. +--------+-------------------- all ------------------------+----------------+
  30. position: [2], limit: [5]
  31. +-------------------------------------------------+
  32. | 0 1 2 3 4 5 6 7 8 9 a b c d e f |
  33. +--------+-------------------------------------------------+----------------+
  34. |00000000| 61 62 63 64 65 00 00 00 00 00 |abcde..... |
  35. +--------+-------------------------------------------------+----------------+
  36. // 调用compact切换模式,此时position及其后面的数据被压缩到ByteBuffer前面去了
  37. // 此时position为3,会覆盖之前的数据
  38. +--------+-------------------- all ------------------------+----------------+
  39. position: [3], limit: [10]
  40. +-------------------------------------------------+
  41. | 0 1 2 3 4 5 6 7 8 9 a b c d e f |
  42. +--------+-------------------------------------------------+----------------+
  43. |00000000| 63 64 65 64 65 00 00 00 00 00 |cdede..... |
  44. +--------+-------------------------------------------------+----------------+
  45. // 再次写入两个字节的数据,之前的 0x64 0x65 被覆盖
  46. +--------+-------------------- all ------------------------+----------------+
  47. position: [5], limit: [10]
  48. +-------------------------------------------------+
  49. | 0 1 2 3 4 5 6 7 8 9 a b c d e f |
  50. +--------+-------------------------------------------------+----------------+
  51. |00000000| 63 64 65 66 67 00 00 00 00 00 |cdefg..... |
  52. +--------+-------------------------------------------------+----------------+

5、字符串与ByteBuffer相互转换

方法一

编码:字符串调用getByte方法获得byte数组,将byte数组放入ByteBuffer中
解码先调用ByteBuffer的flip方法,然后通过StandardCharsets的decoder方法解码

  1. public class Translate {
  2. public static void main(String[] args) {
  3. // 准备两个字符串
  4. String str1 = "hello";
  5. String str2 = "";
  6. ByteBuffer buffer1 = ByteBuffer.allocate(16);
  7. // 通过字符串的getByte方法获得字节数组,放入缓冲区中
  8. buffer1.put(str1.getBytes());
  9. ByteBufferUtil.debugAll(buffer1);
  10. // 将缓冲区中的数据转化为字符串
  11. // 切换模式
  12. buffer1.flip();
  13. // 通过StandardCharsets解码,获得CharBuffer,再通过toString获得字符串
  14. str2 = StandardCharsets.UTF_8.decode(buffer1).toString();
  15. System.out.println(str2);
  16. ByteBufferUtil.debugAll(buffer1);
  17. }
  18. }

运行结果

  1. +--------+-------------------- all ------------------------+----------------+
  2. position: [5], limit: [16]
  3. +-------------------------------------------------+
  4. | 0 1 2 3 4 5 6 7 8 9 a b c d e f |
  5. +--------+-------------------------------------------------+----------------+
  6. |00000000| 68 65 6c 6c 6f 00 00 00 00 00 00 00 00 00 00 00 |hello...........|
  7. +--------+-------------------------------------------------+----------------+
  8. hello
  9. +--------+-------------------- all ------------------------+----------------+
  10. position: [5], limit: [5]
  11. +-------------------------------------------------+
  12. | 0 1 2 3 4 5 6 7 8 9 a b c d e f |
  13. +--------+-------------------------------------------------+----------------+
  14. |00000000| 68 65 6c 6c 6f 00 00 00 00 00 00 00 00 00 00 00 |hello...........|
  15. +--------+-------------------------------------------------+----------------+

方法二

编码:通过StandardCharsets的encode方法获得ByteBuffer,此时获得的ByteBuffer为读模式,无需通过flip切换模式
解码:通过StandardCharsets的decoder方法解码

  1. public class Translate {
  2. public static void main(String[] args) {
  3. // 准备两个字符串
  4. String str1 = "hello";
  5. String str2 = "";
  6. // 通过StandardCharsets的encode方法获得ByteBuffer
  7. // 此时获得的ByteBuffer为读模式,无需通过flip切换模式
  8. ByteBuffer buffer1 = StandardCharsets.UTF_8.encode(str1);
  9. ByteBufferUtil.debugAll(buffer1);
  10. // 将缓冲区中的数据转化为字符串
  11. // 通过StandardCharsets解码,获得CharBuffer,再通过toString获得字符串
  12. str2 = StandardCharsets.UTF_8.decode(buffer1).toString();
  13. System.out.println(str2);
  14. ByteBufferUtil.debugAll(buffer1);
  15. }
  16. }

运行结果

  1. +--------+-------------------- all ------------------------+----------------+
  2. position: [0], limit: [5]
  3. +-------------------------------------------------+
  4. | 0 1 2 3 4 5 6 7 8 9 a b c d e f |
  5. +--------+-------------------------------------------------+----------------+
  6. |00000000| 68 65 6c 6c 6f |hello |
  7. +--------+-------------------------------------------------+----------------+
  8. hello
  9. +--------+-------------------- all ------------------------+----------------+
  10. position: [5], limit: [5]
  11. +-------------------------------------------------+
  12. | 0 1 2 3 4 5 6 7 8 9 a b c d e f |
  13. +--------+-------------------------------------------------+----------------+
  14. |00000000| 68 65 6c 6c 6f |hello |
  15. +--------+-------------------------------------------------+----------------+

方法三

编码:字符串调用getByte()方法获得字节数组,将字节数组传给ByteBuffer的wrap()方法,通过该方法获得ByteBuffer。同样无需调用flip方法切换为读模式
解码:通过StandardCharsets的decoder方法解码

  1. public class Translate {
  2. public static void main(String[] args) {
  3. // 准备两个字符串
  4. String str1 = "hello";
  5. String str2 = "";
  6. // 通过StandardCharsets的encode方法获得ByteBuffer
  7. // 此时获得的ByteBuffer为读模式,无需通过flip切换模式
  8. ByteBuffer buffer1 = ByteBuffer.wrap(str1.getBytes());
  9. ByteBufferUtil.debugAll(buffer1);
  10. // 将缓冲区中的数据转化为字符串
  11. // 通过StandardCharsets解码,获得CharBuffer,再通过toString获得字符串
  12. str2 = StandardCharsets.UTF_8.decode(buffer1).toString();
  13. System.out.println(str2);
  14. ByteBufferUtil.debugAll(buffer1);
  15. }
  16. }

运行结果

  1. +--------+-------------------- all ------------------------+----------------+
  2. position: [0], limit: [5]
  3. +-------------------------------------------------+
  4. | 0 1 2 3 4 5 6 7 8 9 a b c d e f |
  5. +--------+-------------------------------------------------+----------------+
  6. |00000000| 68 65 6c 6c 6f |hello |
  7. +--------+-------------------------------------------------+----------------+
  8. hello
  9. +--------+-------------------- all ------------------------+----------------+
  10. position: [5], limit: [5]
  11. +-------------------------------------------------+
  12. | 0 1 2 3 4 5 6 7 8 9 a b c d e f |
  13. +--------+-------------------------------------------------+----------------+
  14. |00000000| 68 65 6c 6c 6f |hello |
  15. +--------+-------------------------------------------------+----------------+

6、粘包与半包

现象
网络上有多条数据发送给服务端,数据之间使用 \n 进行分隔
但由于某种原因这些数据在接收时,被进行了重新组合,例如原始数据有3条为

  • Hello,world\n
  • I’m Nyima\n
  • How are you?\n

变成了下面的两个 byteBuffer (粘包,半包)

  • Hello,world\nI’m Nyima\nHo
  • w are you?\n

出现原因
粘包
发送方在发送数据时,并不是一条一条地发送数据,而是将数据整合在一起,当数据达到一定的数量后再一起发送。这就会导致多条信息被放在一个缓冲区中被一起发送出去
半包
接收方的缓冲区的大小是有限的,当接收方的缓冲区满了以后,就需要将信息截断,等缓冲区空了以后再继续放入数据。这就会发生一段完整的数据最后被截断的现象

解决办法

  • 通过get(index)方法遍历ByteBuffer,遇到分隔符时进行处理。注意:get(index)不会改变position的值
    • 记录该段数据长度,以便于申请对应大小的缓冲区
    • 将缓冲区的数据通过get()方法写入到target中
  • 调用compact方法切换模式,因为缓冲区中可能还有未读的数据

    1. public class ByteBufferDemo {
    2. public static void main(String[] args) {
    3. ByteBuffer buffer = ByteBuffer.allocate(32);
    4. // 模拟粘包+半包
    5. buffer.put("Hello,world\nI'm Nyima\nHo".getBytes());
    6. // 调用split函数处理
    7. split(buffer);
    8. buffer.put("w are you?\n".getBytes());
    9. split(buffer);
    10. }
    11. private static void split(ByteBuffer buffer) {
    12. // 切换为读模式
    13. buffer.flip();
    14. for(int i = 0; i < buffer.limit(); i++) {
    15. // 遍历寻找分隔符
    16. // get(i)不会移动position
    17. if (buffer.get(i) == '\n') {
    18. // 缓冲区长度
    19. int length = i+1-buffer.position();
    20. ByteBuffer target = ByteBuffer.allocate(length);
    21. // 将前面的内容写入target缓冲区
    22. for(int j = 0; j < length; j++) {
    23. // 将buffer中的数据写入target中
    24. target.put(buffer.get());
    25. }
    26. // 打印查看结果
    27. ByteBufferUtil.debugAll(target);
    28. }
    29. }
    30. // 切换为写模式,但是缓冲区可能未读完,这里需要使用compact
    31. buffer.compact();
    32. }
    33. }
    1. +--------+-------------------- all ------------------------+----------------+
    2. position: [12], limit: [12]
    3. +-------------------------------------------------+
    4. | 0 1 2 3 4 5 6 7 8 9 a b c d e f |
    5. +--------+-------------------------------------------------+----------------+
    6. |00000000| 48 65 6c 6c 6f 2c 77 6f 72 6c 64 0a |Hello,world. |
    7. +--------+-------------------------------------------------+----------------+
    8. +--------+-------------------- all ------------------------+----------------+
    9. position: [10], limit: [10]
    10. +-------------------------------------------------+
    11. | 0 1 2 3 4 5 6 7 8 9 a b c d e f |
    12. +--------+-------------------------------------------------+----------------+
    13. |00000000| 49 27 6d 20 4e 79 69 6d 61 0a |I'm Nyima. |
    14. +--------+-------------------------------------------------+----------------+
    15. +--------+-------------------- all ------------------------+----------------+
    16. position: [13], limit: [13]
    17. +-------------------------------------------------+
    18. | 0 1 2 3 4 5 6 7 8 9 a b c d e f |
    19. +--------+-------------------------------------------------+----------------+
    20. |00000000| 48 6f 77 20 61 72 65 20 79 6f 75 3f 0a |How are you?. |
    21. +--------+-------------------------------------------------+----------------+

    2、文件编程

    2.1、FileChannel

    1、工作模式

    FileChannel只能在阻塞模式下工作,所以无法搭配Selector

    2、获取

    不能直接打开 FileChannel,必须通过 FileInputStream、FileOutputStream 或者 RandomAccessFile 来获取 FileChannel,它们都有 getChannel 方法

  • 通过 FileInputStream 获取的 channel 只能读

  • 通过 FileOutputStream 获取的 channel 只能写
  • 通过 RandomAccessFile 是否能读写根据构造 RandomAccessFile 时的读写模式决定

    3、读取

    通过 FileInputStream 获取channel,通过read方法将数据写入到ByteBuffer中read方法的返回值表示读到了多少字节,若读到了文件末尾则返回-1。

    1. int readBytes = channel.read(buffer);

    可根据返回值判断是否读取完毕

    1. while(channel.read(buffer) > 0) {
    2. // 进行对应操作
    3. ...
    4. }

    4、写入

    因为channel也是有大小的,所以 write 方法并不能保证一次将 buffer 中的内容全部写入 channel。必须需要按照以下规则进行写入

    1. // 通过hasRemaining()方法查看缓冲区中是否还有数据未写入到通道中
    2. while(buffer.hasRemaining()) {
    3. channel.write(buffer);
    4. }

    5、关闭

    通道需要close,一般情况通过try-with-resource进行关闭,最好使用以下方法获取strea以及channel,避免某些原因使得资源未被关闭

    1. public class TestChannel {
    2. public static void main(String[] args) throws IOException {
    3. try (FileInputStream fis = new FileInputStream("stu.txt");
    4. FileOutputStream fos = new FileOutputStream("student.txt");
    5. FileChannel inputChannel = fis.getChannel();
    6. FileChannel outputChannel = fos.getChannel()) {
    7. // 执行对应操作
    8. ...
    9. }
    10. }
    11. }

    6、位置

    position
    channel也拥有一个保存读取数据位置的属性,即position

    1. long pos = channel.position();

    可以通过position(int pos)设置channel中position的值

    1. long newPos = ...;
    2. channel.position(newPos);

    设置当前位置时,如果设置为文件的末尾

  • 这时读取会返回 -1

  • 这时写入,会追加内容,但要注意如果 position 超过了文件末尾,再写入时在新内容和原末尾之间会有空洞(00)

    7、强制写入

    操作系统出于性能的考虑,会将数据缓存,不是立刻写入磁盘,而是等到缓存满了以后将所有数据一次性的写入磁盘。可以调用 force(true) 方法将文件内容和元数据(文件的权限等信息)立刻写入磁盘

    2.2、Channel之间传输数据

    1、transferTo方法

    使用transferTo方法可以快速、高效地将一个channel中的数据传输到另一个channel中,但一次只能传输2G的内容
    transferTo底层使用了零拷贝技术
    什么叫零拷贝技术? // TODO

    1. public class TestChannel {
    2. public static void main(String[] args){
    3. try (FileInputStream fis = new FileInputStream("stu.txt");
    4. FileOutputStream fos = new FileOutputStream("student.txt");
    5. FileChannel inputChannel = fis.getChannel();
    6. FileChannel outputChannel = fos.getChannel()) {
    7. // 参数:inputChannel的起始位置,传输数据的大小,目的channel
    8. // 返回值为传输的数据的字节数
    9. // transferTo一次只能传输2G的数据
    10. inputChannel.transferTo(0, inputChannel.size(), outputChannel);
    11. } catch (IOException e) {
    12. e.printStackTrace();
    13. }
    14. }
    15. }

    当传输的文件大于2G时,需要使用以下方法进行多次传输

    1. public class TestChannel {
    2. public static void main(String[] args){
    3. try (FileInputStream fis = new FileInputStream("stu.txt");
    4. FileOutputStream fos = new FileOutputStream("student.txt");
    5. FileChannel inputChannel = fis.getChannel();
    6. FileChannel outputChannel = fos.getChannel()) {
    7. long size = inputChannel.size();
    8. long capacity = inputChannel.size();
    9. // 分多次传输
    10. while (capacity > 0) {
    11. // transferTo返回值为传输了的字节数
    12. capacity -= inputChannel.transferTo(size-capacity, capacity, outputChannel);
    13. }
    14. } catch (IOException e) {
    15. e.printStackTrace();
    16. }
    17. }
    18. }

    2.3、Path与Paths

  • Path 用来表示文件路径

  • Paths 是工具类,用来获取 Path 实例 ```java Path source = Paths.get(“1.txt”); // 相对路径 不带盘符 使用 user.dir 环境变量来定位 1.txt

Path source = Paths.get(“d:\1.txt”); // 绝对路径 代表了 d:\1.txt 反斜杠需要转义

Path source = Paths.get(“d:/1.txt”); // 绝对路径 同样代表了 d:\1.txt

Path projects = Paths.get(“d:\data”, “projects”); // 代表了 d:\data\projects

  1. - . 代表了当前路径
  2. - .. 代表了上一级路径
  3. ```java
  4. Path path = Paths.get("d:\\data\\projects\\a\\..\\b");
  5. System.out.println(path);
  6. System.out.println(path.normalize()); // 正常化路径 会去除 . 以及 ..
  1. d:\data\projects\a\..\b
  2. d:\data\projects\b

2.4、Files

1、查找

检查文件是否存在

  1. Path path = Paths.get("helloword/data.txt");
  2. System.out.println(Files.exists(path));、

2、创建

创建一级目录

  1. Path path = Paths.get("helloword/d1");
  2. Files.createDirectory(path);
  • 如果目录已存在,会抛异常 FileAlreadyExistsException
  • 不能一次创建多级目录,否则会抛异常 NoSuchFileException

创建多级目录用

  1. Path path = Paths.get("helloword/d1/d2");
  2. Files.createDirectories(path);

3、拷贝及移动

拷贝文件

  1. Path source = Paths.get("helloword/data.txt");
  2. Path target = Paths.get("helloword/target.txt");
  3. Files.copy(source, target);
  • 如果文件已存在,会抛异常 FileAlreadyExistsException

如果希望用 source 覆盖掉 target,需要用 StandardCopyOption 来控制

  1. Files.copy(source, target, StandardCopyOption.REPLACE_EXISTING);

移动文件

  1. Path source = Paths.get("helloword/data.txt");
  2. Path target = Paths.get("helloword/data.txt");
  3. Files.move(source, target, StandardCopyOption.ATOMIC_MOVE);
  • StandardCopyOption.ATOMIC_MOVE 保证文件移动的原子性
    4、删除
    删除文件 ```java Path target = Paths.get(“helloword/target.txt”);

Files.delete(target);

  1. - 如果文件不存在,会抛异常 NoSuchFileException
  2. 删除目录
  3. ```java
  4. Path target = Paths.get("helloword/d1");
  5. Files.delete(target);
  • 如果目录还有内容,会抛异常 DirectoryNotEmptyException
  • 需要删除的话需要通过判断是否为目录然后进入目录进行删除文件循环删除。

    5、遍历

    可以使用Files工具类中的walkFileTree(Path, FileVisitor)方法,其中需要传入两个参数

  • Path:文件起始路径

  • FileVisitor:文件访问器,使用访问者模式

    • 接口的实现类SimpleFileVisitor有四个方法

      • preVisitDirectory:访问目录前的操作
      • visitFile:访问文件的操作
      • visitFileFailed:访问文件失败时的操作
      • postVisitDirectory:访问目录后的操作

        1. public class TestWalkFileTree {
        2. public static void main(String[] args) throws IOException {
        3. Path path = Paths.get("F:\\JDK 8");
        4. // 文件目录数目
        5. AtomicInteger dirCount = new AtomicInteger();
        6. // 文件数目
        7. AtomicInteger fileCount = new AtomicInteger();
        8. Files.walkFileTree(path, new SimpleFileVisitor<Path>(){
        9. @Override
        10. public FileVisitResult preVisitDirectory(Path dir, BasicFileAttributes attrs) throws IOException {
        11. System.out.println("===>"+dir);
        12. // 增加文件目录数
        13. dirCount.incrementAndGet();
        14. return super.preVisitDirectory(dir, attrs);
        15. }
        16. @Override
        17. public FileVisitResult visitFile(Path file, BasicFileAttributes attrs) throws IOException {
        18. System.out.println(file);
        19. // 增加文件数
        20. fileCount.incrementAndGet();
        21. return super.visitFile(file, attrs);
        22. }
        23. });
        24. // 打印数目
        25. System.out.println("文件目录数:"+dirCount.get());
        26. System.out.println("文件数:"+fileCount.get());
        27. }
        28. }

        运行结果如下

        1. ...
        2. ===>F:\JDK 8\lib\security\policy\unlimited
        3. F:\JDK 8\lib\security\policy\unlimited\local_policy.jar
        4. F:\JDK 8\lib\security\policy\unlimited\US_export_policy.jar
        5. F:\JDK 8\lib\security\trusted.libraries
        6. F:\JDK 8\lib\sound.properties
        7. F:\JDK 8\lib\tzdb.dat
        8. F:\JDK 8\lib\tzmappings
        9. F:\JDK 8\LICENSE
        10. F:\JDK 8\README.txt
        11. F:\JDK 8\release
        12. F:\JDK 8\THIRDPARTYLICENSEREADME-JAVAFX.txt
        13. F:\JDK 8\THIRDPARTYLICENSEREADME.txt
        14. F:\JDK 8\Welcome.html
        15. 文件目录数:23
        16. 文件数:279

        3、网络编程

        3.1、阻塞

  • 阻塞模式下,相关方法都会导致线程暂停

    • ServerSocketChannel.accept 会在没有连接建立时让线程暂停
    • SocketChannel.read 会在通道中没有数据可读时让线程暂停
    • 阻塞的表现其实就是线程暂停了,暂停期间不会占用 cpu,但线程相当于闲置
  • 单线程下,阻塞方法之间相互影响,几乎不能正常工作,需要多线程支持
  • 但多线程下,有新的问题,体现在以下方面
    • 32 位 jvm 一个线程 320k,64 位 jvm 一个线程 1024k,如果连接数过多,必然导致 OOM,并且线程太多,反而会因为频繁上下文切换导致性能降低
    • 可以采用线程池技术来减少线程数和线程上下文切换,但治标不治本,如果有很多连接建立,但长时间 inactive,会阻塞线程池中所有线程,因此不适合长连接,只适合短连接

服务端代码

  1. public class Server {
  2. public static void main(String[] args) {
  3. // 创建缓冲区
  4. ByteBuffer buffer = ByteBuffer.allocate(16);
  5. // 获得服务器通道
  6. try(ServerSocketChannel server = ServerSocketChannel.open()) {
  7. // 为服务器通道绑定端口
  8. server.bind(new InetSocketAddress(8080));
  9. // 用户存放连接的集合
  10. ArrayList<SocketChannel> channels = new ArrayList<>();
  11. // 循环接收连接
  12. while (true) {
  13. System.out.println("before connecting...");
  14. // 没有连接时,会阻塞线程
  15. SocketChannel socketChannel = server.accept();
  16. System.out.println("after connecting...");
  17. channels.add(socketChannel);
  18. // 循环遍历集合中的连接
  19. for(SocketChannel channel : channels) {
  20. System.out.println("before reading");
  21. // 处理通道中的数据
  22. // 当通道中没有数据可读时,会阻塞线程
  23. channel.read(buffer);
  24. buffer.flip();
  25. ByteBufferUtil.debugRead(buffer);
  26. buffer.clear();
  27. System.out.println("after reading");
  28. }
  29. }
  30. } catch (IOException e) {
  31. e.printStackTrace();
  32. }
  33. }
  34. }

客户端代码

  1. public class Client {
  2. public static void main(String[] args) {
  3. try (SocketChannel socketChannel = SocketChannel.open()) {
  4. // 建立连接
  5. socketChannel.connect(new InetSocketAddress("localhost", 8080));
  6. System.out.println("waiting...");
  7. } catch (IOException e) {
  8. e.printStackTrace();
  9. }
  10. }
  11. }

运行结果

  • 客户端-服务器建立连接前:服务器端因accept阻塞

image.png

  • 客户端-服务器建立连接后,客户端发送消息前:服务器端因通道为空被阻塞

image.png

  • 客户端发送数据后,服务器处理通道中的数据。再次进入循环时,再次被accept阻塞

image.png

  • 之前的客户端再次发送消息,服务器端因为被accept阻塞,无法处理之前客户端发送到通道中的信息

image.png

3.2、非阻塞

  • 可以通过ServerSocketChannel的configureBlocking(false)方法将获得连接设置为非阻塞的。此时若没有连接,accept会返回null
  • 可以通过SocketChannel的configureBlocking(false)方法将从通道中读取数据设置为非阻塞的。若此时通道中没有数据可读,read会返回-1

服务器代码如下

  1. public class Server {
  2. public static void main(String[] args) {
  3. // 创建缓冲区
  4. ByteBuffer buffer = ByteBuffer.allocate(16);
  5. // 获得服务器通道
  6. try(ServerSocketChannel server = ServerSocketChannel.open()) {
  7. // 为服务器通道绑定端口
  8. server.bind(new InetSocketAddress(8080));
  9. // 用户存放连接的集合
  10. ArrayList<SocketChannel> channels = new ArrayList<>();
  11. // 循环接收连接
  12. while (true) {
  13. // 设置为非阻塞模式,没有连接时返回null,不会阻塞线程
  14. server.configureBlocking(false);
  15. SocketChannel socketChannel = server.accept();
  16. // 通道不为空时才将连接放入到集合中
  17. if (socketChannel != null) {
  18. System.out.println("after connecting...");
  19. channels.add(socketChannel);
  20. }
  21. // 循环遍历集合中的连接
  22. for(SocketChannel channel : channels) {
  23. // 处理通道中的数据
  24. // 设置为非阻塞模式,若通道中没有数据,会返回0,不会阻塞线程
  25. channel.configureBlocking(false);
  26. int read = channel.read(buffer);
  27. if(read > 0) {
  28. buffer.flip();
  29. ByteBufferUtil.debugRead(buffer);
  30. buffer.clear();
  31. System.out.println("after reading");
  32. }
  33. }
  34. }
  35. } catch (IOException e) {
  36. e.printStackTrace();
  37. }
  38. }
  39. }

这样写存在一个问题,因为设置为了非阻塞,会一直执行while(true)中的代码,CPU一直处于忙碌状态,会使得性能变低,所以实际情况中不使用这种方法处理请求

3.3、Selector

多路复用

单线程可以配合 Selector 完成对多个 Channel 可读写事件的监控,这称之为多路复用

  • 多路复用仅针对网络 IO,普通文件 IO 无法利用多路复用
  • 如果不用 Selector 的非阻塞模式,线程大部分时间都在做无用功,而 Selector 能够保证

    • 有可连接事件时才去连接
    • 有可读事件才去读取
    • 有可写事件才去写入

      • 限于网络传输能力,Channel 未必时时可写,一旦 Channel 可写,会触发 Selector 的可写事件

        3.4、使用及Accpet事件

        要使用Selector实现多路复用,服务端代码如下改进

        1. public class SelectServer {
        2. public static void main(String[] args) {
        3. ByteBuffer buffer = ByteBuffer.allocate(16);
        4. // 获得服务器通道
        5. try(ServerSocketChannel server = ServerSocketChannel.open()) {
        6. server.bind(new InetSocketAddress(8080));
        7. // 创建选择器
        8. Selector selector = Selector.open();
        9. // 通道必须设置为非阻塞模式
        10. server.configureBlocking(false);
        11. // 将通道注册到选择器中,并设置感兴趣的事件
        12. server.register(selector, SelectionKey.OP_ACCEPT);
        13. while (true) {
        14. // 若没有事件就绪,线程会被阻塞,反之不会被阻塞。从而避免了CPU空转
        15. // 返回值为就绪的事件个数
        16. int ready = selector.select();
        17. System.out.println("selector ready counts : " + ready);
        18. // 获取所有事件
        19. Set<SelectionKey> selectionKeys = selector.selectedKeys();
        20. // 使用迭代器遍历事件
        21. Iterator<SelectionKey> iterator = selectionKeys.iterator();
        22. while (iterator.hasNext()) {
        23. SelectionKey key = iterator.next();
        24. // 判断key的类型
        25. if(key.isAcceptable()) {
        26. // 获得key对应的channel
        27. ServerSocketChannel channel = (ServerSocketChannel) key.channel();
        28. System.out.println("before accepting...");
        29. // 获取连接并处理,而且是必须处理,否则需要取消
        30. SocketChannel socketChannel = channel.accept();
        31. System.out.println("after accepting...");
        32. // 处理完毕后移除
        33. iterator.remove();
        34. }
        35. }
        36. }
        37. } catch (IOException e) {
        38. e.printStackTrace();
        39. }
        40. }
        41. }

        步骤解析

  • 获得选择器Selector

    1. Selector selector = Selector.open();
  • 通道设置为非阻塞模式,并注册到选择器中,并设置感兴趣的事件

    • channel 必须工作在非阻塞模式
    • FileChannel 没有非阻塞模式,因此不能配合 selector 一起使用
    • 绑定的事件类型可以有
      • connect - 客户端连接成功时触发
      • accept - 服务器端成功接受连接时触发
      • read - 数据可读入时触发,有因为接收能力弱,数据暂不能读入的情况
      • write - 数据可写出时触发,有因为发送能力弱,数据暂不能写出的情况
        1. // 通道必须设置为非阻塞模式
        2. server.configureBlocking(false);
        3. // 将通道注册到选择器中,并设置感兴趣的实践
        4. server.register(selector, SelectionKey.OP_ACCEPT);
  • 通过Selector监听事件,并获得就绪的通道个数,若没有通道就绪,线程会被阻塞

    • 阻塞直到绑定事件发生

      1. int count = selector.select();
    • 阻塞直到绑定事件发生,或是超时(时间单位为 ms)

      1. int count = selector.select(long timeout);
    • 不会阻塞,也就是不管有没有事件,立刻返回,自己根据返回值检查是否有事件

      1. int count = selector.selectNow();
  • 获取就绪事件并得到对应的通道,然后进行处理 ```java // 获取所有事件 Set selectionKeys = selector.selectedKeys();

// 使用迭代器遍历事件 Iterator iterator = selectionKeys.iterator();

while (iterator.hasNext()) { SelectionKey key = iterator.next();

  1. // 判断key的类型,此处为Accept类型
  2. if(key.isAcceptable()) {
  3. // 获得key对应的channel
  4. ServerSocketChannel channel = (ServerSocketChannel) key.channel();
  5. // 获取连接并处理,而且是必须处理,否则需要取消
  6. SocketChannel socketChannel = channel.accept();
  7. // 处理完毕后移除
  8. iterator.remove();
  9. }

}

  1. **事件发生后能否不处理**<br />事件发生后,**要么处理,要么取消(cancel)**,不能什么都不做,**否则下次该事件仍会触发**,这是因为 nio 底层使用的是水平触发
  2. <a name="Ft6yS"></a>
  3. ### 3.5、Read事件
  4. - Accept事件中,若有客户端与服务器端建立了连接,**需要将其对应的SocketChannel设置为非阻塞,并注册到选择其中**
  5. - 添加Read事件,触发后进行读取操作
  6. ```java
  7. public class SelectServer {
  8. public static void main(String[] args) {
  9. ByteBuffer buffer = ByteBuffer.allocate(16);
  10. // 获得服务器通道
  11. try(ServerSocketChannel server = ServerSocketChannel.open()) {
  12. server.bind(new InetSocketAddress(8080));
  13. // 创建选择器
  14. Selector selector = Selector.open();
  15. // 通道必须设置为非阻塞模式
  16. server.configureBlocking(false);
  17. // 将通道注册到选择器中,并设置感兴趣的实践
  18. server.register(selector, SelectionKey.OP_ACCEPT);
  19. // 为serverKey设置感兴趣的事件
  20. while (true) {
  21. // 若没有事件就绪,线程会被阻塞,反之不会被阻塞。从而避免了CPU空转
  22. // 返回值为就绪的事件个数
  23. int ready = selector.select();
  24. System.out.println("selector ready counts : " + ready);
  25. // 获取所有事件
  26. Set<SelectionKey> selectionKeys = selector.selectedKeys();
  27. // 使用迭代器遍历事件
  28. Iterator<SelectionKey> iterator = selectionKeys.iterator();
  29. while (iterator.hasNext()) {
  30. SelectionKey key = iterator.next();
  31. // 判断key的类型
  32. if(key.isAcceptable()) {
  33. // 获得key对应的channel
  34. ServerSocketChannel channel = (ServerSocketChannel) key.channel();
  35. System.out.println("before accepting...");
  36. // 获取连接
  37. SocketChannel socketChannel = channel.accept();
  38. System.out.println("after accepting...");
  39. // 设置为非阻塞模式,同时将连接的通道也注册到选择其中
  40. socketChannel.configureBlocking(false);
  41. socketChannel.register(selector, SelectionKey.OP_READ);
  42. // 处理完毕后移除
  43. iterator.remove();
  44. } else if (key.isReadable()) {
  45. SocketChannel channel = (SocketChannel) key.channel();
  46. System.out.println("before reading...");
  47. channel.read(buffer);
  48. System.out.println("after reading...");
  49. buffer.flip();
  50. ByteBufferUtil.debugRead(buffer);
  51. buffer.clear();
  52. // 处理完毕后移除
  53. iterator.remove();
  54. }
  55. }
  56. }
  57. } catch (IOException e) {
  58. e.printStackTrace();
  59. }
  60. }
  61. }

删除事件
当处理完一个事件后,一定要调用迭代器的remove方法移除对应事件,否则会出现错误。原因如下
以我们上面的 Read事件 的代码为例

  • 当调用了 server.register(selector, SelectionKey.OP_ACCEPT)后,Selector中维护了一个集合,用于存放SelectionKey以及其对应的通道

    1. // WindowsSelectorImpl 中的 SelectionKeyImpl数组
    2. private SelectionKeyImpl[] channelArray = new SelectionKeyImpl[8];
    1. public class SelectionKeyImpl extends AbstractSelectionKey {
    2. // Key对应的通道
    3. final SelChImpl channel;
    4. ...
    5. }

    image.png

  • 选择器中的通道对应的事件发生后,selecionKey会被放到另一个集合中,但是selecionKey不会自动移除,所以需要我们在处理完一个事件后,通过迭代器手动移除其中的selecionKey。否则会导致已被处理过的事件再次被处理,就会引发错误

断开处理
当客户端与服务器之间的连接断开时,会给服务器端发送一个读事件,对异常断开和正常断开需要加以不同的方式进行处理

  • 正常断开

    • 正常断开时,服务器端的channel.read(buffer)方法的返回值为-1,所以当结束到返回值为-1时,需要调用key的cancel方法取消此事件,并在取消后移除该事件
      1. int read = channel.read(buffer);
      2. // 断开连接时,客户端会向服务器发送一个写事件,此时read的返回值为-1
      3. if(read == -1) {
      4. // 取消该事件的处理
      5. key.cancel();
      6. channel.close();
      7. } else {
      8. ...
      9. }
      10. // 取消或者处理,都需要移除key
      11. iterator.remove();
  • 异常断开

    • 异常断开时,会抛出IOException异常, 在try-catch的catch块中捕获异常并调用key的cancel方法即可

      消息边界

      不处理消息边界存在的问题
      将缓冲区的大小设置为4个字节,发送2个汉字(你好),通过decode解码并打印时,会出现乱码
      1. ByteBuffer buffer = ByteBuffer.allocate(4);
      2. // 解码并打印
      3. System.out.println(StandardCharsets.UTF_8.decode(buffer));
      1. 你�
      2. ��
      这是因为UTF-8字符集下,1个汉字占用3个字节,此时缓冲区大小为4个字节,一次读时间无法处理完通道中的所有数据,所以一共会触发两次读事件。这就导致 你好 的 好 字被拆分为了前半部分和后半部分发送,解码时就会出现问题
      处理消息边界
      传输的文本可能有以下三种情况
  • 文本大于缓冲区大小

    • 此时需要将缓冲区进行扩容
  • 发生半包现象
  • 发生粘包现象

image.png
解决思路大致有以下三种

  • 固定消息长度,数据包大小一样,服务器按预定长度读取,当发送的数据较少时,需要将数据进行填充,直到长度与消息规定长度一致。缺点是浪费带宽
  • 另一种思路是按分隔符拆分,缺点是效率低,需要一个一个字符地去匹配分隔符
  • TLV 格式,即 Type 类型、Length 长度、Value 数据(也就是在消息开头用一些空间存放后面数据的长度),如HTTP请求头中的Content-Type与Content-Length。类型和长度已知的情况下,就可以方便获取消息大小,分配合适的 buffer,缺点是 buffer 需要提前分配,如果内容过大,则影响 server 吞吐量
    • Http 1.1 是 TLV 格式
    • Http 2.0 是 LTV 格式

image.png
下文的消息边界处理方式为第二种:按分隔符拆分
附件与扩容
Channel的register方法还有第三个参数:附件,可以向其中放入一个Object类型的对象,该对象会与登记的Channel以及其对应的SelectionKey绑定,可以从SelectionKey获取到对应通道的附件

  1. public final SelectionKey register(Selector sel, int ops, Object att)

可通过SelectionKey的attachment()方法获得附件

  1. ByteBuffer buffer = (ByteBuffer) key.attachment();

我们需要在Accept事件发生后,将通道注册到Selector中时,对每个通道添加一个ByteBuffer附件,让每个通道发生读事件时都使用自己的通道,避免与其他通道发生冲突而导致问题

  1. // 设置为非阻塞模式,同时将连接的通道也注册到选择其中,同时设置附件
  2. socketChannel.configureBlocking(false);
  3. ByteBuffer buffer = ByteBuffer.allocate(16);
  4. // 添加通道对应的Buffer附件
  5. socketChannel.register(selector, SelectionKey.OP_READ, buffer);

当Channel中的数据大于缓冲区时,需要对缓冲区进行扩容操作。此代码中的扩容的判定方法:Channel调用compact方法后,的position与limit相等,说明缓冲区中的数据并未被读取(容量太小),此时创建新的缓冲区,其大小扩大为两倍。同时还要将旧缓冲区中的数据拷贝到新的缓冲区中,同时调用SelectionKey的attach方法将新的缓冲区作为新的附件放入SelectionKey中

  1. // 如果缓冲区太小,就进行扩容
  2. if (buffer.position() == buffer.limit()) {
  3. ByteBuffer newBuffer = ByteBuffer.allocate(buffer.capacity()*2);
  4. // 将旧buffer中的内容放入新的buffer中
  5. ewBuffer.put(buffer);
  6. // 将新buffer作为附件放到key中
  7. key.attach(newBuffer);
  8. }

改造后的服务器代码如下

  1. public class SelectServer {
  2. public static void main(String[] args) {
  3. // 获得服务器通道
  4. try(ServerSocketChannel server = ServerSocketChannel.open()) {
  5. server.bind(new InetSocketAddress(8080));
  6. // 创建选择器
  7. Selector selector = Selector.open();
  8. // 通道必须设置为非阻塞模式
  9. server.configureBlocking(false);
  10. // 将通道注册到选择器中,并设置感兴趣的事件
  11. server.register(selector, SelectionKey.OP_ACCEPT);
  12. // 为serverKey设置感兴趣的事件
  13. while (true) {
  14. // 若没有事件就绪,线程会被阻塞,反之不会被阻塞。从而避免了CPU空转
  15. // 返回值为就绪的事件个数
  16. int ready = selector.select();
  17. System.out.println("selector ready counts : " + ready);
  18. // 获取所有事件
  19. Set<SelectionKey> selectionKeys = selector.selectedKeys();
  20. // 使用迭代器遍历事件
  21. Iterator<SelectionKey> iterator = selectionKeys.iterator();
  22. while (iterator.hasNext()) {
  23. SelectionKey key = iterator.next();
  24. // 判断key的类型
  25. if(key.isAcceptable()) {
  26. // 获得key对应的channel
  27. ServerSocketChannel channel = (ServerSocketChannel) key.channel();
  28. System.out.println("before accepting...");
  29. // 获取连接
  30. SocketChannel socketChannel = channel.accept();
  31. System.out.println("after accepting...");
  32. // 设置为非阻塞模式,同时将连接的通道也注册到选择其中,同时设置附件
  33. socketChannel.configureBlocking(false);
  34. ByteBuffer buffer = ByteBuffer.allocate(16);
  35. socketChannel.register(selector, SelectionKey.OP_READ, buffer);
  36. // 处理完毕后移除
  37. iterator.remove();
  38. } else if (key.isReadable()) {
  39. SocketChannel channel = (SocketChannel) key.channel();
  40. System.out.println("before reading...");
  41. // 通过key获得附件(buffer)
  42. ByteBuffer buffer = (ByteBuffer) key.attachment();
  43. int read = channel.read(buffer);
  44. if(read == -1) {
  45. key.cancel();
  46. channel.close();
  47. } else {
  48. // 通过分隔符来分隔buffer中的数据
  49. split(buffer);
  50. // 如果缓冲区太小,就进行扩容
  51. if (buffer.position() == buffer.limit()) {
  52. ByteBuffer newBuffer = ByteBuffer.allocate(buffer.capacity()*2);
  53. // 将旧buffer中的内容放入新的buffer中
  54. buffer.flip();
  55. newBuffer.put(buffer);
  56. // 将新buffer放到key中作为附件
  57. key.attach(newBuffer);
  58. }
  59. }
  60. System.out.println("after reading...");
  61. // 处理完毕后移除
  62. iterator.remove();
  63. }
  64. }
  65. }
  66. } catch (IOException e) {
  67. e.printStackTrace();
  68. }
  69. }
  70. private static void split(ByteBuffer buffer) {
  71. buffer.flip();
  72. for(int i = 0; i < buffer.limit(); i++) {
  73. // 遍历寻找分隔符
  74. // get(i)不会移动position
  75. if (buffer.get(i) == '\n') {
  76. // 缓冲区长度
  77. int length = i+1-buffer.position();
  78. ByteBuffer target = ByteBuffer.allocate(length);
  79. // 将前面的内容写入target缓冲区
  80. for(int j = 0; j < length; j++) {
  81. // 将buffer中的数据写入target中
  82. target.put(buffer.get());
  83. }
  84. // 打印结果
  85. ByteBufferUtil.debugAll(target);
  86. }
  87. }
  88. // 切换为写模式,但是缓冲区可能未读完,这里需要使用compact
  89. buffer.compact();
  90. }
  91. }

ByteBuffer的大小分配

  • 每个 channel 都需要记录可能被切分的消息,因为 ByteBuffer 不能被多个 channel 共同使用,因此需要为每个 channel 维护一个独立的 ByteBuffer
  • ByteBuffer 不能太大,比如一个 ByteBuffer 1Mb 的话,要支持百万连接就要 1Tb 内存,因此需要设计大小可变的 ByteBuffer
  • 分配思路可以参考

    • 一种思路是首先分配一个较小的 buffer,例如 4k,如果发现数据不够,再分配 8k 的 buffer,将 4k buffer 内容拷贝至 8k buffer,优点是消息连续容易处理,缺点是数据拷贝耗费性能
    • 另一种思路是用多个数组组成 buffer,一个数组不够,把多出来的内容写入新的数组,与前面的区别是消息存储不连续解析复杂,优点是避免了拷贝引起的性能损耗

      3.6、Write事件

      服务器通过Buffer向通道中写入数据时,可能因为通道容量小于Buffer中的数据大小,导致无法一次性将Buffer中的数据全部写入到Channel中,这时便需要分多次写入,具体步骤如下
  • 执行一次写操作,向将buffer中的内容写入到SocketChannel中,然后判断Buffer中是否还有数据

  • 若Buffer中还有数据,则需要将SockerChannel注册到Seletor中,并关注写事件,同时将未写完的Buffer作为附件一起放入到SelectionKey中

    1. int write = socket.write(buffer);
    2. // 通道中可能无法放入缓冲区中的所有数据
    3. if (buffer.hasRemaining()) {
    4. // 注册到Selector中,关注可写事件,并将buffer添加到key的附件中
    5. socket.configureBlocking(false);
    6. socket.register(selector, SelectionKey.OP_WRITE, buffer);
    7. }

    添加写事件的相关操作key.isWritable(),对Buffer再次进行写操作

  • 每次写后需要判断Buffer中是否还有数据(是否写完)。若写完,需要移除SelecionKey中的Buffer附件,避免其占用过多内存,同时还需移除对写事件的关注

    1. SocketChannel socket = (SocketChannel) key.channel();
    2. // 获得buffer
    3. ByteBuffer buffer = (ByteBuffer) key.attachment();
    4. // 执行写操作
    5. int write = socket.write(buffer);
    6. System.out.println(write);
    7. // 如果已经完成了写操作,需要移除key中的附件,同时不再对写事件感兴趣
    8. if (!buffer.hasRemaining()) {
    9. key.attach(null);
    10. key.interestOps(0);
    11. }

    整体代码如下

    1. public class WriteServer {
    2. public static void main(String[] args) {
    3. try(ServerSocketChannel server = ServerSocketChannel.open()) {
    4. server.bind(new InetSocketAddress(8080));
    5. server.configureBlocking(false);
    6. Selector selector = Selector.open();
    7. server.register(selector, SelectionKey.OP_ACCEPT);
    8. while (true) {
    9. selector.select();
    10. Set<SelectionKey> selectionKeys = selector.selectedKeys();
    11. Iterator<SelectionKey> iterator = selectionKeys.iterator();
    12. while (iterator.hasNext()) {
    13. SelectionKey key = iterator.next();
    14. // 处理后就移除事件
    15. iterator.remove();
    16. if (key.isAcceptable()) {
    17. // 获得客户端的通道
    18. SocketChannel socket = server.accept();
    19. // 写入数据
    20. StringBuilder builder = new StringBuilder();
    21. for(int i = 0; i < 500000000; i++) {
    22. builder.append("a");
    23. }
    24. ByteBuffer buffer = StandardCharsets.UTF_8.encode(builder.toString());
    25. // 先执行一次Buffer->Channel的写入,如果未写完,就添加一个可写事件
    26. int write = socket.write(buffer);
    27. System.out.println(write);
    28. // 通道中可能无法放入缓冲区中的所有数据
    29. if (buffer.hasRemaining()) {
    30. // 注册到Selector中,关注可写事件,并将buffer添加到key的附件中
    31. socket.configureBlocking(false);
    32. socket.register(selector, SelectionKey.OP_WRITE, buffer);
    33. }
    34. } else if (key.isWritable()) {
    35. SocketChannel socket = (SocketChannel) key.channel();
    36. // 获得buffer
    37. ByteBuffer buffer = (ByteBuffer) key.attachment();
    38. // 执行写操作
    39. int write = socket.write(buffer);
    40. System.out.println(write);
    41. // 如果已经完成了写操作,需要移除key中的附件,同时不再对写事件感兴趣
    42. if (!buffer.hasRemaining()) {
    43. key.attach(null);
    44. key.interestOps(0);
    45. }
    46. }
    47. }
    48. }
    49. } catch (IOException e) {
    50. e.printStackTrace();
    51. }
    52. }
    53. }

    3.7、优化

    多线程优化

    充分利用多核CPU,分两组选择器

  • 单线程配一个选择器(Boss),专门处理 accept 事件

  • 创建 cpu 核心数的线程(Worker),每个线程配一个选择器,轮流处理 read 事件

    实现思路

  • 创建一个负责处理Accept事件的Boss线程,与多个负责处理Read事件的Worker线程

  • Boss线程执行的操作

    • 接受并处理Accepet事件,当Accept事件发生后,调用Worker的register(SocketChannel socket)方法,让Worker去处理Read事件,其中需要根据标识robin去判断将任务分配给哪个Worker

      1. // 创建固定数量的Worker
      2. Worker[] workers = new Worker[4];
      3. // 用于负载均衡的原子整数
      4. AtomicInteger robin = new AtomicInteger(0);
      5. // 负载均衡,轮询分配Worker
      6. workers[robin.getAndIncrement()% workers.length].register(socket);
    • register(SocketChannel socket)方法会通过同步队列完成Boss线程与Worker线程之间的通信,让SocketChannel的注册任务被Worker线程执行。添加任务后需要调用selector.wakeup()来唤醒被阻塞的Selector

      1. public void register(final SocketChannel socket) throws IOException {
      2. // 只启动一次
      3. if (!started) {
      4. // 初始化操作
      5. }
      6. // 向同步队列中添加SocketChannel的注册事件
      7. // 在Worker线程中执行注册事件
      8. queue.add(new Runnable() {
      9. @Override
      10. public void run() {
      11. try {
      12. socket.register(selector, SelectionKey.OP_READ);
      13. } catch (IOException e) {
      14. e.printStackTrace();
      15. }
      16. }
      17. });
      18. // 唤醒被阻塞的Selector
      19. // select类似LockSupport中的park,wakeup的原理类似LockSupport中的unpark
      20. selector.wakeup();
      21. }
  • Worker线程执行的操作

    • 从同步队列中获取注册任务,并处理Read事件

      实现代码

      1. public class ThreadsServer {
      2. public static void main(String[] args) {
      3. try (ServerSocketChannel server = ServerSocketChannel.open()) {
      4. // 当前线程为Boss线程
      5. Thread.currentThread().setName("Boss");
      6. server.bind(new InetSocketAddress(8080));
      7. // 负责轮询Accept事件的Selector
      8. Selector boss = Selector.open();
      9. server.configureBlocking(false);
      10. server.register(boss, SelectionKey.OP_ACCEPT);
      11. // 创建固定数量的Worker
      12. Worker[] workers = new Worker[4];
      13. // 用于负载均衡的原子整数
      14. AtomicInteger robin = new AtomicInteger(0);
      15. for(int i = 0; i < workers.length; i++) {
      16. workers[i] = new Worker("worker-"+i);
      17. }
      18. while (true) {
      19. boss.select();
      20. Set<SelectionKey> selectionKeys = boss.selectedKeys();
      21. Iterator<SelectionKey> iterator = selectionKeys.iterator();
      22. while (iterator.hasNext()) {
      23. SelectionKey key = iterator.next();
      24. iterator.remove();
      25. // BossSelector负责Accept事件
      26. if (key.isAcceptable()) {
      27. // 建立连接
      28. SocketChannel socket = server.accept();
      29. System.out.println("connected...");
      30. socket.configureBlocking(false);
      31. // socket注册到Worker的Selector中
      32. System.out.println("before read...");
      33. // 负载均衡,轮询分配Worker
      34. workers[robin.getAndIncrement()% workers.length].register(socket);
      35. System.out.println("after read...");
      36. }
      37. }
      38. }
      39. } catch (IOException e) {
      40. e.printStackTrace();
      41. }
      42. }
      43. static class Worker implements Runnable {
      44. private Thread thread;
      45. private volatile Selector selector;
      46. private String name;
      47. private volatile boolean started = false;
      48. /**
      49. * 同步队列,用于Boss线程与Worker线程之间的通信
      50. */
      51. private ConcurrentLinkedQueue<Runnable> queue;
      52. public Worker(String name) {
      53. this.name = name;
      54. }
      55. public void register(final SocketChannel socket) throws IOException {
      56. // 只启动一次
      57. if (!started) {
      58. thread = new Thread(this, name);
      59. selector = Selector.open();
      60. queue = new ConcurrentLinkedQueue<>();
      61. thread.start();
      62. started = true;
      63. }
      64. // 向同步队列中添加SocketChannel的注册事件
      65. // 在Worker线程中执行注册事件
      66. queue.add(new Runnable() {
      67. @Override
      68. public void run() {
      69. try {
      70. socket.register(selector, SelectionKey.OP_READ);
      71. } catch (IOException e) {
      72. e.printStackTrace();
      73. }
      74. }
      75. });
      76. // 唤醒被阻塞的Selector
      77. // select类似LockSupport中的park,wakeup的原理类似LockSupport中的unpark
      78. selector.wakeup();
      79. }
      80. @Override
      81. public void run() {
      82. while (true) {
      83. try {
      84. selector.select();
      85. // 通过同步队列获得任务并运行
      86. Runnable task = queue.poll();
      87. if (task != null) {
      88. // 获得任务,执行注册操作
      89. task.run();
      90. }
      91. Set<SelectionKey> selectionKeys = selector.selectedKeys();
      92. Iterator<SelectionKey> iterator = selectionKeys.iterator();
      93. while(iterator.hasNext()) {
      94. SelectionKey key = iterator.next();
      95. iterator.remove();
      96. // Worker只负责Read事件
      97. if (key.isReadable()) {
      98. // 简化处理,省略细节
      99. SocketChannel socket = (SocketChannel) key.channel();
      100. ByteBuffer buffer = ByteBuffer.allocate(16);
      101. socket.read(buffer);
      102. buffer.flip();
      103. ByteBufferUtil.debugAll(buffer);
      104. }
      105. }
      106. } catch (IOException e) {
      107. e.printStackTrace();
      108. }
      109. }
      110. }
      111. }
      112. }

      4、NIO与BIO

      4.1、Stream与Channel

  • stream 不会自动缓冲数据,channel 会利用系统提供的发送缓冲区、接收缓冲区(更为底层)

  • stream 仅支持阻塞 API,channel 同时支持阻塞、非阻塞 API,网络 channel 可配合 selector 实现多路复用
  • 二者均为全双工,即读写可以同时进行

    • 虽然Stream是单向流动的,但是它也是全双工的

      4.2、IO模型

  • 同步:线程自己去获取结果(一个线程)

    • 例如:线程调用一个方法后,需要等待方法返回结果
  • 异步:线程自己不去获取结果,而是由其它线程返回结果(至少两个线程)
    • 例如:线程A调用一个方法后,继续向下运行,运行结果由线程B返回

当调用一次 channel.read 或 stream.read 后,会由用户态切换至操作系统内核态来完成真正数据读取,而读取又分为两个阶段,分别为:

  • 等待数据阶段
  • 复制数据阶段

image.png
根据UNIX 网络编程 - 卷 I,IO模型主要有以下几种

阻塞IO

image.png

  • 用户线程进行read操作时,需要等待操作系统执行实际的read操作,此期间用户线程是被阻塞的,无法执行其他操作

    非阻塞IO

    image.png

  • 用户线程在一个循环中一直调用read方法,若内核空间中还没有数据可读,立即返回

    • 只是在等待阶段非阻塞
  • 用户线程发现内核空间中有数据后,等待内核空间执行复制数据,待复制结束后返回结果

    多路复用

    image.png
    Java中通过Selector实现多路复用

  • 当没有事件是,调用select方法会被阻塞住

  • 一旦有一个或多个事件发生后,就会处理对应的事件,从而实现多路复用

多路复用与阻塞IO的区别

  • 阻塞IO模式下,若线程因accept事件被阻塞,发生read事件后,仍需等待accept事件执行完成后,才能去处理read事件
  • 多路复用模式下,一个事件发生后,若另一个事件处于阻塞状态,不会影响该事件的执行

    异步IO

    image.png

  • 线程1调用方法后理解返回,不会被阻塞也不需要立即获取结果

  • 当方法的运行结果出来以后,由线程2将结果返回给线程1

    4.3、零拷贝

    零拷贝指的是数据无需拷贝到 JVM 内存中,同时具有以下三个优点

  • 更少的用户态与内核态的切换

  • 不利用 cpu 计算,减少 cpu 缓存伪共享
  • 零拷贝适合小文件传输

    传统 IO 问题

    传统的 IO 将一个文件通过 socket 写出 ```java File f = new File(“helloword/data.txt”); RandomAccessFile file = new RandomAccessFile(file, “r”);

byte[] buf = new byte[(int)f.length()]; file.read(buf);

Socket socket = …; socket.getOutputStream().write(buf);

  1. **内部工作流如下**<br />![image.png](https://cdn.nlark.com/yuque/0/2022/png/25484710/1654002666448-e68c577d-7e7f-4ac4-b901-8df8357c6a0c.png#clientId=u36292b78-e721-4&crop=0&crop=0&crop=1&crop=1&from=paste&height=215&id=u5cdcde84&margin=%5Bobject%20Object%5D&name=image.png&originHeight=322&originWidth=657&originalType=binary&ratio=1&rotation=0&showTitle=false&size=31783&status=done&style=none&taskId=udb7919e2-2f89-4738-bf6e-0d87dfc8e6c&title=&width=438)
  2. - Java 本身并不具备 IO 读写能力,因此 read 方法调用后,要从 Java 程序的**用户态切换至内核态**,去调用操作系统(Kernel)的读能力,将数据读入**内核缓冲区**。这期间用户线程阻塞,操作系统使用 DMADirect Memory Access)来实现文件读,其间也不会使用 CPUDMA 也可以理解为硬件单元,用来解放 cpu 完成文件 IO
  3. - 从**内核态**切换回**用户态**,将数据从**内核缓冲区**读入**用户缓冲区**(即 byte[] buf),这期间 **CPU 会参与拷贝**,无法利用 DMA
  4. - 调用 write 方法,这时将数据从**用户缓冲区**(byte[] buf)写入 **socket 缓冲区,CPU 会参与拷贝**
  5. - 接下来要向网卡写数据,这项能力 Java 又不具备,因此又得从**用户态**切换至**内核态**,调用操作系统的写能力,使用 DMA **socket 缓冲区**的数据写入网卡,不会使用 CPU
  6. 可以看到中间环节较多,java IO 实际不是物理设备级别的读写,而是缓存的复制,底层的真正读写是操作系统来完成的
  7. - 用户态与内核态的切换发生了 3 次,这个操作比较重量级
  8. - 数据拷贝了共 4
  9. <a name="Z2LLW"></a>
  10. #### NIO 优化
  11. 通过 **DirectByteBuf**
  12. - ByteBuffer.allocate(10)
  13. - 底层对应 HeapByteBuffer,使用的还是 Java 内存
  14. - ByteBuffer.**allocateDirect**(10)
  15. - 底层对应DirectByteBuffer,**使用的是操作系统内存**
  16. ![image.png](https://cdn.nlark.com/yuque/0/2022/png/25484710/1654002793042-849d9b4b-bb26-4ef9-a69e-55e15d9fcc81.png#clientId=u36292b78-e721-4&crop=0&crop=0&crop=1&crop=1&from=paste&height=233&id=u9c276944&margin=%5Bobject%20Object%5D&name=image.png&originHeight=350&originWidth=620&originalType=binary&ratio=1&rotation=0&showTitle=false&size=43635&status=done&style=none&taskId=ua5aac548-6ec9-4ab7-a052-69d83704a41&title=&width=413.3333333333333)<br />大部分步骤与优化前相同,唯有一点:**Java 可以使用 DirectByteBuffer 将堆外内存映射到 JVM 内存中来直接访问使用**
  17. - 这块内存不受 JVM 垃圾回收的影响,因此内存地址固定,有助于 IO 读写
  18. - Java 中的 DirectByteBuf 对象仅维护了此内存的虚引用,内存回收分成两步
  19. - DirectByteBuffer 对象被垃圾回收,将虚引用加入引用队列
  20. - 当引用的对象ByteBuffer被垃圾回收以后,虚引用对象Cleaner就会被放入引用队列中,然后调用Cleanerclean方法来释放直接内存
  21. - DirectByteBuffer 的释放底层调用的是 Unsafe freeMemory 方法
  22. - 通过专门线程访问引用队列,根据虚引用释放堆外内存
  23. - **减少了一次数据拷贝,用户态与内核态的切换次数没有减少**
  24. <a name="uReb4"></a>
  25. #### 进一步优化1
  26. **以下两种方式都是零拷贝**,即无需将数据拷贝到用户缓冲区中(JVM内存中)<br />底层采用了 **linux 2.1** 后提供的 **sendFile** 方法,Java 中对应着两个 channel 调用 **transferTo/transferFrom** 方法拷贝数据<br />![image.png](https://cdn.nlark.com/yuque/0/2022/png/25484710/1654002849935-9834b0e7-0ae6-4c8d-bd6c-96c315d2c356.png#clientId=u36292b78-e721-4&crop=0&crop=0&crop=1&crop=1&from=paste&height=151&id=u38a6a061&margin=%5Bobject%20Object%5D&name=image.png&originHeight=227&originWidth=634&originalType=binary&ratio=1&rotation=0&showTitle=false&size=24472&status=done&style=none&taskId=u54e207a3-54f5-4487-a1fd-52964bdf72b&title=&width=422.6666666666667)
  27. - Java 调用 transferTo 方法后,要从 Java 程序的**用户态**切换至**内核态**,使用 DMA将数据读入**内核缓冲区**,不会使用 CPU
  28. - 数据从**内核缓冲区**传输到 **socket 缓冲区**,CPU 会参与拷贝
  29. - 最后使用 DMA **socket 缓冲区**的数据写入网卡,不会使用 CPU
  30. 这种方法下
  31. - 只发生了1次用户态与内核态的切换
  32. - 数据拷贝了 3
  33. <a name="q1tbY"></a>
  34. #### 进一步优化2
  35. **linux 2.4** 对上述方法再次进行了优化<br />![image.png](https://cdn.nlark.com/yuque/0/2022/png/25484710/1654002900134-f3e5f05e-cac1-430b-b1d5-97094f7f9555.png#clientId=u36292b78-e721-4&crop=0&crop=0&crop=1&crop=1&from=paste&height=170&id=ud3e48c18&margin=%5Bobject%20Object%5D&name=image.png&originHeight=255&originWidth=621&originalType=binary&ratio=1&rotation=0&showTitle=false&size=22368&status=done&style=none&taskId=u26f664fe-55aa-47df-9219-16b8c965a40&title=&width=414)
  36. - Java 调用 **transferTo **方法后,要从 Java 程序的**用户态**切换至**内核态**,使用 DMA将数据读入**内核缓冲区**,不会使用 CPU
  37. - 只会将一些 offset length 信息拷入 **socket 缓冲区**,几乎无消耗
  38. - 使用 DMA **内核缓冲区**的数据写入网卡,不会使用 CPU
  39. **整个过程仅只发生了1次用户态与内核态的切换,数据拷贝了 2 次**
  40. <a name="RxLe9"></a>
  41. ### 4.4、AIO
  42. AIO 用来解决数据复制阶段的阻塞问题
  43. - 同步意味着,在进行读写操作时,线程需要等待结果,还是相当于闲置
  44. - 异步意味着,在进行读写操作时,线程不必等待结果,而是将来由操作系统来通过回调方式由另外的线程来获得结果
  45. 异步模型需要底层操作系统(Kernel)提供支持
  46. - Windows 系统通过 IOCP **实现了真正的异步 IO**
  47. - Linux 系统异步 IO 2.6 版本引入,但其**底层实现还是用多路复用模拟了异步 IO,性能没有优势**
  48. <a name="Bfi2d"></a>
  49. ## 5、Netty
  50. <a name="kiVLF"></a>
  51. ### 5.1、概述
  52. <a name="envyV"></a>
  53. #### 1、什么是Netty
  54. `Netty is an asynchronous event-driven network application framework for rapid development of maintainable high performance protocol servers & clients.`<br />Netty 是一个异步的、基于事件驱动的网络应用框架,用于快速开发可维护、高性能的网络服务器和客户端<br />**注意**:netty的异步还是基于多路复用的,并没有实现真正意义上的异步IO
  55. <a name="X2ivF"></a>
  56. #### 2、Netty的优势
  57. 如果使用传统NIO,其工作量大,bug
  58. - 需要自己构建协议
  59. - 解决 TCP 传输问题,如粘包、半包
  60. - 因为bug的存在,epoll 空轮询导致 CPU 100%
  61. Netty API 进行增强,使之更易用,如
  62. - FastThreadLocal => ThreadLocal
  63. - ByteBuf => ByteBuffer
  64. <a name="F2iH9"></a>
  65. ### 5.2、入门案例
  66. <a name="JLBhy"></a>
  67. #### 1、服务端代码
  68. ```java
  69. public class HelloServer {
  70. public static void main(String[] args) {
  71. // 1、启动器,负责装配netty组件,启动服务器
  72. new ServerBootstrap()
  73. // 2、创建 NioEventLoopGroup,可以简单理解为 线程池 + Selector
  74. .group(new NioEventLoopGroup())
  75. // 3、选择服务器的 ServerSocketChannel 实现
  76. .channel(NioServerSocketChannel.class)
  77. // 4、child 负责处理读写,该方法决定了 child 执行哪些操作
  78. // ChannelInitializer 处理器(仅执行一次)
  79. // 它的作用是待客户端SocketChannel建立连接后,执行initChannel以便添加更多的处理器
  80. .childHandler(new ChannelInitializer<NioSocketChannel>() {
  81. @Override
  82. protected void initChannel(NioSocketChannel nioSocketChannel) throws Exception {
  83. // 5、SocketChannel的处理器,使用StringDecoder解码,ByteBuf=>String
  84. nioSocketChannel.pipeline().addLast(new StringDecoder());
  85. // 6、SocketChannel的业务处理,使用上一个处理器的处理结果
  86. nioSocketChannel.pipeline().addLast(new SimpleChannelInboundHandler<String>() {
  87. @Override
  88. protected void channelRead0(ChannelHandlerContext channelHandlerContext, String s) throws Exception {
  89. System.out.println(s);
  90. }
  91. });
  92. }
  93. // 7、ServerSocketChannel绑定8080端口
  94. }).bind(8080);
  95. }
  96. }

2、客户端代码

  1. public class HelloClient {
  2. public static void main(String[] args) throws InterruptedException {
  3. new Bootstrap()
  4. .group(new NioEventLoopGroup())
  5. // 选择客户 Socket 实现类,NioSocketChannel 表示基于 NIO 的客户端实现
  6. .channel(NioSocketChannel.class)
  7. // ChannelInitializer 处理器(仅执行一次)
  8. // 它的作用是待客户端SocketChannel建立连接后,执行initChannel以便添加更多的处理器
  9. .handler(new ChannelInitializer<Channel>() {
  10. @Override
  11. protected void initChannel(Channel channel) throws Exception {
  12. // 消息会经过通道 handler 处理,这里是将 String => ByteBuf 编码发出
  13. channel.pipeline().addLast(new StringEncoder());
  14. }
  15. })
  16. // 指定要连接的服务器和端口
  17. .connect(new InetSocketAddress("localhost", 8080))
  18. // Netty 中很多方法都是异步的,如 connect
  19. // 这时需要使用 sync 方法等待 connect 建立连接完毕
  20. .sync()
  21. // 获取 channel 对象,它即为通道抽象,可以进行数据读写操作
  22. .channel()
  23. // 写入消息并清空缓冲区
  24. .writeAndFlush("hello world");
  25. }
  26. }

3、运行流程

左:客户端 右:服务器端
image.png
image.png
组件解释

  • channel 可以理解为数据的通道
  • msg 理解为流动的数据,最开始输入是 ByteBuf,但经过 pipeline 中的各个 handler 加工,会变成其它类型对象,最后输出又变成 ByteBuf
  • handler 可以理解为数据的处理工序
    • 工序有多道,合在一起就是 pipeline(传递途径),pipeline 负责发布事件(读、读取完成…)传播给每个 handler, handler 对自己感兴趣的事件进行处理(重写了相应事件处理方法)
      • pipeline 中有多个 handler,处理时会依次调用其中的 handler
    • handler 分 Inbound 和 Outbound 两类
      • Inbound 入站
      • Outbound 出站
  • eventLoop 可以理解为处理数据的工人

    • eventLoop 可以管理多个 channel 的 io 操作,并且一旦 eventLoop 负责了某个 channel,就会将其与channel进行绑定,以后该 channel 中的 io 操作都由该 eventLoop 负责
    • eventLoop 既可以执行 io 操作,也可以进行任务处理,每个 eventLoop 有自己的任务队列,队列里可以堆放多个 channel 的待处理任务,任务分为普通任务、定时任务
    • eventLoop 按照 pipeline 顺序,依次按照 handler 的规划(代码)处理数据,可以为每个 handler 指定不同的 eventLoop

      5.3、组件

      1、EventLoop

      事件循环对象 EventLoop
      EventLoop 本质是一个单线程执行器(同时维护了一个 Selector),里面有 run 方法处理一个或多个 Channel 上源源不断的 io 事件
      它的继承关系如下
  • 继承自 j.u.c.ScheduledExecutorService 因此包含了线程池中所有的方法

  • 继承自 netty 自己的 OrderedEventExecutor
    • 提供了 boolean inEventLoop(Thread thread) 方法判断一个线程是否属于此 EventLoop
    • 提供了 EventLoopGroup parent() 方法来看看自己属于哪个 EventLoopGroup

事件循环组 EventLoopGroup
EventLoopGroup 是一组 EventLoop,Channel 一般会调用 EventLoopGroup 的 register 方法来绑定其中一个 EventLoop,后续这个 Channel 上的 io 事件都由此 EventLoop 来处理(保证了 io 事件处理时的线程安全)

  • 继承自 netty 自己的 EventExecutorGroup

    • 实现了 Iterable 接口提供遍历 EventLoop 的能力
    • 另有 next 方法获取集合中下一个 EventLoop

      处理普通与定时任务
      1. public class TestEventLoop {
      2. public static void main(String[] args) {
      3. // 创建拥有两个EventLoop的NioEventLoopGroup,对应两个线程
      4. EventLoopGroup group = new NioEventLoopGroup(2);
      5. // 通过next方法可以获得下一个 EventLoop
      6. System.out.println(group.next());
      7. System.out.println(group.next());
      8. // 通过EventLoop执行普通任务
      9. group.next().execute(()->{
      10. System.out.println(Thread.currentThread().getName() + " hello");
      11. });
      12. // 通过EventLoop执行定时任务
      13. group.next().scheduleAtFixedRate(()->{
      14. System.out.println(Thread.currentThread().getName() + " hello2");
      15. }, 0, 1, TimeUnit.SECONDS);
      16. // 优雅地关闭
      17. group.shutdownGracefully();
      18. }
      19. }

      输出结果如下

      1. io.netty.channel.nio.NioEventLoop@7bb11784
      2. io.netty.channel.nio.NioEventLoop@33a10788
      3. nioEventLoopGroup-2-1 hello
      4. nioEventLoopGroup-2-2 hello2
      5. nioEventLoopGroup-2-2 hello2
      6. nioEventLoopGroup-2-2 hello2

      关闭 EventLoopGroup
      优雅关闭 shutdownGracefully 方法。该方法会首先切换 EventLoopGroup 到关闭状态从而拒绝新的任务的加入,然后在任务队列的任务都处理完成后,停止线程的运行。从而确保整体应用是在正常有序的状态下退出的

      处理IO任务

      服务器代码

      1. public class MyServer {
      2. public static void main(String[] args) {
      3. new ServerBootstrap()
      4. .group(new NioEventLoopGroup())
      5. .channel(NioServerSocketChannel.class)
      6. .childHandler(new ChannelInitializer<SocketChannel>() {
      7. @Override
      8. protected void initChannel(SocketChannel socketChannel) throws Exception {
      9. socketChannel.pipeline().addLast(new ChannelInboundHandlerAdapter() {
      10. @Override
      11. public void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception {
      12. ByteBuf buf = (ByteBuf) msg;
      13. System.out.println(Thread.currentThread().getName() + " " + buf.toString(StandardCharsets.UTF_8));
      14. }
      15. });
      16. }
      17. })
      18. .bind(8080);
      19. }
      20. }

      客户端代码

      1. public class MyClient {
      2. public static void main(String[] args) throws IOException, InterruptedException {
      3. Channel channel = new Bootstrap()
      4. .group(new NioEventLoopGroup())
      5. .channel(NioSocketChannel.class)
      6. .handler(new ChannelInitializer<SocketChannel>() {
      7. @Override
      8. protected void initChannel(SocketChannel socketChannel) throws Exception {
      9. socketChannel.pipeline().addLast(new StringEncoder());
      10. }
      11. })
      12. .connect(new InetSocketAddress("localhost", 8080))
      13. .sync()
      14. .channel();
      15. System.out.println(channel);
      16. // 此处打断点调试,调用 channel.writeAndFlush(...);
      17. System.in.read();
      18. }
      19. }

      分工

      Bootstrap的group()方法可以传入两个EventLoopGroup参数,分别负责处理不同的事件

      1. public class MyServer {
      2. public static void main(String[] args) {
      3. new ServerBootstrap()
      4. // 两个Group,分别为Boss 负责Accept事件,Worker 负责读写事件
      5. .group(new NioEventLoopGroup(1), new NioEventLoopGroup(2))
      6. ...
      7. }
      8. }

      多个客户端分别发送 hello 结果

      1. nioEventLoopGroup-3-1 hello1
      2. nioEventLoopGroup-3-2 hello2
      3. nioEventLoopGroup-3-1 hello3
      4. nioEventLoopGroup-3-2 hello4
      5. nioEventLoopGroup-3-2 hello4

      可以看出,一个EventLoop可以负责多个Channel,且EventLoop一旦与Channel绑定,则一直负责处理该Channel中的事件
      image.png
      增加自定义EventLoopGroup
      当有的任务需要较长的时间处理时,可以使用非NioEventLoopGroup,避免同一个NioEventLoop中的其他Channel在较长的时间内都无法得到处理

      1. public class MyServer {
      2. public static void main(String[] args) {
      3. // 增加自定义的非NioEventLoopGroup
      4. EventLoopGroup group = new DefaultEventLoopGroup();
      5. new ServerBootstrap()
      6. .group(new NioEventLoopGroup(1), new NioEventLoopGroup(2))
      7. .channel(NioServerSocketChannel.class)
      8. .childHandler(new ChannelInitializer<SocketChannel>() {
      9. @Override
      10. protected void initChannel(SocketChannel socketChannel) throws Exception {
      11. // 增加两个handler,第一个使用NioEventLoopGroup处理,第二个使用自定义EventLoopGroup处理
      12. socketChannel.pipeline().addLast("nioHandler",new ChannelInboundHandlerAdapter() {
      13. @Override
      14. public void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception {
      15. ByteBuf buf = (ByteBuf) msg;
      16. System.out.println(Thread.currentThread().getName() + " " + buf.toString(StandardCharsets.UTF_8));
      17. // 调用下一个handler
      18. ctx.fireChannelRead(msg);
      19. }
      20. })
      21. // 该handler绑定自定义的Group
      22. .addLast(group, "myHandler", new ChannelInboundHandlerAdapter() {
      23. @Override
      24. public void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception {
      25. ByteBuf buf = (ByteBuf) msg;
      26. System.out.println(Thread.currentThread().getName() + " " + buf.toString(StandardCharsets.UTF_8));
      27. }
      28. });
      29. }
      30. })
      31. .bind(8080);
      32. }
      33. }

      启动四个客户端发送数据

      1. nioEventLoopGroup-4-1 hello1
      2. defaultEventLoopGroup-2-1 hello1
      3. nioEventLoopGroup-4-2 hello2
      4. defaultEventLoopGroup-2-2 hello2
      5. nioEventLoopGroup-4-1 hello3
      6. defaultEventLoopGroup-2-3 hello3
      7. nioEventLoopGroup-4-2 hello4
      8. defaultEventLoopGroup-2-4 hello4

      可以看出,客户端与服务器之间的事件,被nioEventLoopGroup和defaultEventLoopGroup分别处理
      image.png
      切换的实现
      不同的EventLoopGroup切换的实现原理如下
      由上面的图可以看出,当handler中绑定的Group不同时,需要切换Group来执行不同的任务

      1. static void invokeChannelRead(final AbstractChannelHandlerContext next, Object msg) {
      2. final Object m = next.pipeline.touch(ObjectUtil.checkNotNull(msg, "msg"), next);
      3. // 获得下一个EventLoop, excutor 即为 EventLoopGroup
      4. EventExecutor executor = next.executor();
      5. // 如果下一个EventLoop 在当前的 EventLoopGroup中
      6. if (executor.inEventLoop()) {
      7. // 使用当前 EventLoopGroup 中的 EventLoop 来处理任务
      8. next.invokeChannelRead(m);
      9. } else {
      10. // 否则让另一个 EventLoopGroup 中的 EventLoop 来创建任务并执行
      11. executor.execute(new Runnable() {
      12. public void run() {
      13. next.invokeChannelRead(m);
      14. }
      15. });
      16. }
      17. }
  • 如果两个 handler 绑定的是同一个EventLoopGroup,那么就直接调用

  • 否则,把要调用的代码封装为一个任务对象,由下一个 handler 的 EventLoopGroup 来调用

    2、Channel

    Channel 的常用方法

  • close() 可以用来关闭Channel

  • closeFuture() 用来处理 Channel 的关闭
    • sync 方法作用是同步等待 Channel 关闭
    • 而 addListener 方法是异步等待 Channel 关闭
  • pipeline() 方法用于添加处理器
  • write() 方法将数据写入
    • 因为缓冲机制,数据被写入到 Channel 中以后,不会立即被发送
    • 只有当缓冲满了或者调用了flush()方法后,才会将数据通过 Channel 发送出去
  • writeAndFlush() 方法将数据写入并立即发送(刷出)

    ChannelFuture

    连接问题

    拆分客户端

    1. public class MyClient {
    2. public static void main(String[] args) throws IOException, InterruptedException {
    3. ChannelFuture channelFuture = new Bootstrap()
    4. .group(new NioEventLoopGroup())
    5. .channel(NioSocketChannel.class)
    6. .handler(new ChannelInitializer<SocketChannel>() {
    7. @Override
    8. protected void initChannel(SocketChannel socketChannel) throws Exception {
    9. socketChannel.pipeline().addLast(new StringEncoder());
    10. }
    11. })
    12. // 该方法为异步非阻塞方法,主线程调用后不会被阻塞,真正去执行连接操作的是NIO线程
    13. // NIO线程:NioEventLoop 中的线程
    14. .connect(new InetSocketAddress("localhost", 8080));
    15. // 该方法用于等待连接真正建立
    16. channelFuture.sync();
    17. // 获取客户端-服务器之间的Channel对象
    18. Channel channel = channelFuture.channel();
    19. channel.writeAndFlush("hello world");
    20. System.in.read();
    21. }
    22. }

    如果我们去掉channelFuture.sync()方法,会服务器无法收到hello world
    这是因为建立连接(connect)的过程是异步非阻塞的,若不通过sync()方法阻塞主线程,等待连接真正建立,这时通过 channelFuture.channel() 拿到的 Channel 对象,并不是真正与服务器建立好连接的 Channel,也就没法将信息正确的传输给服务器端
    所以需要通过channelFuture.sync()方法,阻塞主线程,同步处理结果,等待连接真正建立好以后,再去获得 Channel 传递数据。使用该方法,获取 Channel 和发送数据的线程都是主线程
    下面还有一种方法,用于异步获取建立连接后的 Channel 和发送数据,使得执行这些操作的线程是 NIO 线程(去执行connect操作的线程)
    addListener方法
    通过这种方法可以在NIO线程中获取 Channel 并发送数据,而不是在主线程中执行这些操作

    1. public class MyClient {
    2. public static void main(String[] args) throws IOException, InterruptedException {
    3. ChannelFuture channelFuture = new Bootstrap()
    4. .group(new NioEventLoopGroup())
    5. .channel(NioSocketChannel.class)
    6. .handler(new ChannelInitializer<SocketChannel>() {
    7. @Override
    8. protected void initChannel(SocketChannel socketChannel) throws Exception {
    9. socketChannel.pipeline().addLast(new StringEncoder());
    10. }
    11. })
    12. // 该方法为异步非阻塞方法,主线程调用后不会被阻塞,真正去执行连接操作的是NIO线程
    13. // NIO线程:NioEventLoop 中的线程
    14. .connect(new InetSocketAddress("localhost", 8080));
    15. // 当connect方法执行完毕后,也就是连接真正建立后
    16. // 会在NIO线程中调用operationComplete方法
    17. channelFuture.addListener(new ChannelFutureListener() {
    18. @Override
    19. public void operationComplete(ChannelFuture channelFuture) throws Exception {
    20. Channel channel = channelFuture.channel();
    21. channel.writeAndFlush("hello world");
    22. }
    23. });
    24. System.in.read();
    25. }
    26. }

    关闭处理
    1. public class ReadClient {
    2. public static void main(String[] args) throws InterruptedException {
    3. // 创建EventLoopGroup,使用完毕后关闭
    4. NioEventLoopGroup group = new NioEventLoopGroup();
    5. ChannelFuture channelFuture = new Bootstrap()
    6. .group(group)
    7. .channel(NioSocketChannel.class)
    8. .handler(new ChannelInitializer<SocketChannel>() {
    9. @Override
    10. protected void initChannel(SocketChannel socketChannel) throws Exception {
    11. socketChannel.pipeline().addLast(new StringEncoder());
    12. }
    13. })
    14. .connect(new InetSocketAddress("localhost", 8080));
    15. channelFuture.sync();
    16. Channel channel = channelFuture.channel();
    17. Scanner scanner = new Scanner(System.in);
    18. // 创建一个线程用于输入并向服务器发送
    19. new Thread(()->{
    20. while (true) {
    21. String msg = scanner.next();
    22. if ("q".equals(msg)) {
    23. // 关闭操作是异步的,在NIO线程中执行
    24. channel.close();
    25. break;
    26. }
    27. channel.writeAndFlush(msg);
    28. }
    29. }, "inputThread").start();
    30. // 获得closeFuture对象
    31. ChannelFuture closeFuture = channel.closeFuture();
    32. System.out.println("waiting close...");
    33. // 同步等待NIO线程执行完close操作 阻塞
    34. closeFuture.sync();
    35. // 关闭之后执行一些操作,可以保证执行的操作一定是在channel关闭以后执行的
    36. System.out.println("关闭之后执行一些额外操作...");
    37. // 关闭EventLoopGroup
    38. group.shutdownGracefully();
    39. }
    40. }

    关闭channel
    当我们要关闭channel时,可以调用channel.close()方法进行关闭。但是该方法也是一个异步方法。真正的关闭操作并不是在调用该方法的线程中执行的,而是在NIO线程中执行真正的关闭操作
    如果我们想在channel真正关闭以后,执行一些额外的操作,可以选择以下两种方法来实现

  • 通过channel.closeFuture()方法获得对应的ChannelFuture对象,然后调用sync()方法阻塞执行操作的线程,等待channel真正关闭后,再执行其他操作 ```java // 获得closeFuture对象 ChannelFuture closeFuture = channel.closeFuture();

// 同步等待NIO线程执行完close操作 closeFuture.sync();

  1. - 调用**closeFuture.addListener**方法,添加close的后续操作
  2. ```java
  3. closeFuture.addListener(new ChannelFutureListener() {
  4. @Override
  5. public void operationComplete(ChannelFuture channelFuture) throws Exception {
  6. // 等待channel关闭后才执行的操作
  7. System.out.println("关闭之后执行一些额外操作...");
  8. // 关闭EventLoopGroup
  9. group.shutdownGracefully();
  10. }
  11. });

3、Future与Promise

概念

netty 中的 Future 与 jdk 中的 Future 同名,但是是两个接口
netty 的 Future 继承自 jdk 的 Future,而 Promise 又对 netty Future 进行了扩展

  • jdk Future 只能同步等待任务结束(或成功、或失败)才能得到结果
  • netty Future 可以同步等待任务结束得到结果,也可以异步方式得到结果,但都是要等任务结束
  • netty Promise 不仅有 netty Future 的功能,而且脱离了任务独立存在,只作为两个线程间传递结果的容器 | 功能/名称 | jdk Future | netty Future | Promise | | —- | —- | —- | —- | | cancel | 取消任务 | - | - | | isCanceled | 任务是否取消 | - | - | | isDone | 任务是否完成,不能区分成功失败 | - | - | | get | 获取任务结果,阻塞等待 | - | - | | getNow | - | 获取任务结果,非阻塞,还未产生结果时返回 null | - | | await | - | 等待任务结束,如果任务失败,不会抛异常,而是通过 isSuccess 判断 | - | | sync | - | 等待任务结束,如果任务失败,抛出异常 | - | | isSuccess | - | 判断任务是否成功 | - | | cause | - | 获取失败信息,非阻塞,如果没有失败,返回null | - | | addLinstener | - | 添加回调,异步接收结果 | - | | setSuccess | - | - | 设置成功结果 | | setFailure | - | - | 设置失败结果 |

JDK Future

  1. public class JdkFuture {
  2. public static void main(String[] args) throws ExecutionException, InterruptedException {
  3. ThreadFactory factory = new ThreadFactory() {
  4. @Override
  5. public Thread newThread(Runnable r) {
  6. return new Thread(r, "JdkFuture");
  7. }
  8. };
  9. // 创建线程池
  10. ThreadPoolExecutor executor = new ThreadPoolExecutor(5, 10,10, TimeUnit.SECONDS, new ArrayBlockingQueue<>(10), factory);
  11. // 获得Future对象
  12. Future<Integer> future = executor.submit(new Callable<Integer>() {
  13. @Override
  14. public Integer call() throws Exception {
  15. TimeUnit.SECONDS.sleep(1);
  16. return 50;
  17. }
  18. });
  19. // 通过阻塞的方式,获得运行结果
  20. System.out.println(future.get());
  21. }
  22. }

Netty Future

  1. public class NettyFuture {
  2. public static void main(String[] args) throws ExecutionException, InterruptedException {
  3. NioEventLoopGroup group = new NioEventLoopGroup();
  4. // 获得 EventLoop 对象
  5. EventLoop eventLoop = group.next();
  6. Future<Integer> future = eventLoop.submit(new Callable<Integer>() {
  7. @Override
  8. public Integer call() throws Exception {
  9. return 50;
  10. }
  11. });
  12. // 主线程中获取结果
  13. System.out.println(Thread.currentThread().getName() + " 获取结果");
  14. System.out.println("getNow " + future.getNow());
  15. System.out.println("get " + future.get());
  16. // NIO线程中异步获取结果
  17. future.addListener(new GenericFutureListener<Future<? super Integer>>() {
  18. @Override
  19. public void operationComplete(Future<? super Integer> future) throws Exception {
  20. System.out.println(Thread.currentThread().getName() + " 获取结果");
  21. System.out.println("getNow " + future.getNow());
  22. }
  23. });
  24. }
  25. }

运行结果

  1. main 获取结果
  2. getNow null
  3. get 50
  4. nioEventLoopGroup-2-1 获取结果
  5. getNow 50

Netty中的Future对象,可以通过EventLoop的sumbit()方法得到

  • 可以通过Future对象的get方法,阻塞地获取返回结果
  • 也可以通过getNow方法,获取结果,若还没有结果,则返回null,该方法是非阻塞的
  • 还可以通过future.addListener方法,在Callable方法执行的线程中,异步获取返回结果

    Netty Promise

    Promise相当于一个容器,可以用于存放各个线程中的结果,然后让其他线程去获取该结果

    1. public class NettyPromise {
    2. public static void main(String[] args) throws ExecutionException, InterruptedException {
    3. // 创建EventLoop
    4. NioEventLoopGroup group = new NioEventLoopGroup();
    5. EventLoop eventLoop = group.next();
    6. // 创建Promise对象,用于存放结果
    7. DefaultPromise<Integer> promise = new DefaultPromise<>(eventLoop);
    8. new Thread(()->{
    9. try {
    10. TimeUnit.SECONDS.sleep(1);
    11. } catch (InterruptedException e) {
    12. e.printStackTrace();
    13. }
    14. // 自定义线程向Promise中存放结果
    15. promise.setSuccess(50);
    16. }).start();
    17. // 主线程从Promise中获取结果
    18. System.out.println(Thread.currentThread().getName() + " " + promise.get());
    19. }
    20. }

    4、Handler与Pipeline

    Pipeline

    1. public class PipeLineServer {
    2. public static void main(String[] args) {
    3. new ServerBootstrap()
    4. .group(new NioEventLoopGroup())
    5. .channel(NioServerSocketChannel.class)
    6. .childHandler(new ChannelInitializer<SocketChannel>() {
    7. @Override
    8. protected void initChannel(SocketChannel socketChannel) throws Exception {
    9. // 在socketChannel的pipeline中添加handler
    10. // pipeline中handler是带有head与tail节点的双向链表,的实际结构为
    11. // head <-> handler1 <-> ... <-> handler4 <->tail
    12. // Inbound主要处理入站操作,一般为读操作,发生入站操作时会触发Inbound方法
    13. // 入站时,handler是从head向后调用的
    14. socketChannel.pipeline().addLast("handler1" ,new ChannelInboundHandlerAdapter() {
    15. @Override
    16. public void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception {
    17. System.out.println(Thread.currentThread().getName() + " Inbound handler 1");
    18. // 父类该方法内部会调用fireChannelRead
    19. // 将数据传递给下一个handler
    20. super.channelRead(ctx, msg);
    21. }
    22. });
    23. socketChannel.pipeline().addLast("handler2", new ChannelInboundHandlerAdapter() {
    24. @Override
    25. public void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception {
    26. System.out.println(Thread.currentThread().getName() + " Inbound handler 2");
    27. // 执行write操作,使得Outbound的方法能够得到调用
    28. socketChannel.writeAndFlush(ctx.alloc().buffer().writeBytes("Server...".getBytes(StandardCharsets.UTF_8)));
    29. super.channelRead(ctx, msg);
    30. }
    31. });
    32. // Outbound主要处理出站操作,一般为写操作,发生出站操作时会触发Outbound方法
    33. // 出站时,handler的调用是从tail向前调用的
    34. socketChannel.pipeline().addLast("handler3" ,new ChannelOutboundHandlerAdapter(){
    35. @Override
    36. public void write(ChannelHandlerContext ctx, Object msg, ChannelPromise promise) throws Exception {
    37. System.out.println(Thread.currentThread().getName() + " Outbound handler 1");
    38. super.write(ctx, msg, promise);
    39. }
    40. });
    41. socketChannel.pipeline().addLast("handler4" ,new ChannelOutboundHandlerAdapter(){
    42. @Override
    43. public void write(ChannelHandlerContext ctx, Object msg, ChannelPromise promise) throws Exception {
    44. System.out.println(Thread.currentThread().getName() + " Outbound handler 2");
    45. super.write(ctx, msg, promise);
    46. }
    47. });
    48. }
    49. })
    50. .bind(8080);
    51. }
    52. }

    运行结果如下

    1. nioEventLoopGroup-2-2 Inbound handler 1
    2. nioEventLoopGroup-2-2 Inbound handler 2
    3. nioEventLoopGroup-2-2 Outbound handler 2
    4. nioEventLoopGroup-2-2 Outbound handler 1

    通过channel.pipeline().addLast(name, handler)添加handler时,记得给handler取名字。这样可以调用pipeline的addAfter、addBefore等方法更灵活地向pipeline中添加handler
    handler需要放入通道的pipeline中,才能根据放入顺序来使用handler

  • pipeline是结构是一个带有head与tail指针的双向链表,其中的节点为handler

    • 要通过ctx.fireChannelRead(msg)等方法,将当前handler的处理结果传递给下一个handler
  • 当有入站(Inbound)操作时,会从head开始向后调用handler,直到handler不是处理Inbound操作为止
  • 当有出站(Outbound)操作时,会从tail开始向前调用handler,直到handler不是处理Outbound操作为止

具体结构如下
image.png
调用顺序如下
image.png

OutboundHandler

socketChannel.writeAndFlush()

当handler中调用该方法进行写操作时,会触发Outbound操作,此时是从tail向前寻找OutboundHandler
image.png

ctx.writeAndFlush()

当handler中调用该方法进行写操作时,会触发Outbound操作,此时是从当前handler向前寻找OutboundHandler
image.png

EmbeddedChannel

EmbeddedChannel可以用于测试各个handler,通过其构造函数按顺序传入需要测试handler,然后调用对应的Inbound和Outbound方法即可

  1. public class TestEmbeddedChannel {
  2. public static void main(String[] args) {
  3. ChannelInboundHandlerAdapter h1 = new ChannelInboundHandlerAdapter() {
  4. @Override
  5. public void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception {
  6. System.out.println("1");
  7. super.channelRead(ctx, msg);
  8. }
  9. };
  10. ChannelInboundHandlerAdapter h2 = new ChannelInboundHandlerAdapter() {
  11. @Override
  12. public void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception {
  13. System.out.println("2");
  14. super.channelRead(ctx, msg);
  15. }
  16. };
  17. ChannelOutboundHandlerAdapter h3 = new ChannelOutboundHandlerAdapter() {
  18. @Override
  19. public void write(ChannelHandlerContext ctx, Object msg, ChannelPromise promise) throws Exception {
  20. System.out.println("3");
  21. super.write(ctx, msg, promise);
  22. }
  23. };
  24. ChannelOutboundHandlerAdapter h4 = new ChannelOutboundHandlerAdapter() {
  25. @Override
  26. public void write(ChannelHandlerContext ctx, Object msg, ChannelPromise promise) throws Exception {
  27. System.out.println("4");
  28. super.write(ctx, msg, promise);
  29. }
  30. };
  31. // 用于测试Handler的Channel
  32. EmbeddedChannel channel = new EmbeddedChannel(h1, h2, h3, h4);
  33. // 执行Inbound操作
  34. channel.writeInbound(ByteBufAllocator.DEFAULT.buffer().writeBytes("hello".getBytes(StandardCharsets.UTF_8)));
  35. // 执行Outbound操作
  36. channel.writeOutbound(ByteBufAllocator.DEFAULT.buffer().writeBytes("hello".getBytes(StandardCharsets.UTF_8)));
  37. }
  38. }

5、ByteBuf

调试工具方法

  1. private static void log(ByteBuf buffer) {
  2. int length = buffer.readableBytes();
  3. int rows = length / 16 + (length % 15 == 0 ? 0 : 1) + 4;
  4. StringBuilder buf = new StringBuilder(rows * 80 * 2)
  5. .append("read index:").append(buffer.readerIndex())
  6. .append(" write index:").append(buffer.writerIndex())
  7. .append(" capacity:").append(buffer.capacity())
  8. .append(NEWLINE);
  9. appendPrettyHexDump(buf, buffer);
  10. System.out.println(buf.toString());
  11. }

该方法可以帮助我们更为详细地查看ByteBuf中的内容

创建

public class ByteBufStudy {
    public static void main(String[] args) {
        // 创建ByteBuf
        ByteBuf buffer = ByteBufAllocator.DEFAULT.buffer(16);
        ByteBufUtil.log(buffer);

        // 向buffer中写入数据
        StringBuilder sb = new StringBuilder();
        for(int i = 0; i < 20; i++) {
            sb.append("a");
        }
        buffer.writeBytes(sb.toString().getBytes(StandardCharsets.UTF_8));

        // 查看写入结果
        ByteBufUtil.log(buffer);
    }
}

运行结果

read index:0 write index:0 capacity:16

read index:0 write index:20 capacity:64
         +-------------------------------------------------+
         |  0  1  2  3  4  5  6  7  8  9  a  b  c  d  e  f |
+--------+-------------------------------------------------+----------------+
|00000000| 61 61 61 61 61 61 61 61 61 61 61 61 61 61 61 61 |aaaaaaaaaaaaaaaa|
|00000010| 61 61 61 61                                     |aaaa            |
+--------+-------------------------------------------------+----------------+

ByteBuf通过ByteBufAllocator选择allocator并调用对应的buffer()方法来创建的,默认使用直接内存作为ByteBuf,容量为256个字节,可以指定初始容量的大小
当ByteBuf的容量无法容纳所有数据时,ByteBuf会进行扩容操作
如果在handler中创建ByteBuf,建议使用ChannelHandlerContext ctx.alloc().buffer()来创建

直接内存与堆内存

通过该方法创建的ByteBuf,使用的是基于直接内存的ByteBuf

ByteBuf buffer = ByteBufAllocator.DEFAULT.buffer(16);

可以使用下面的代码来创建池化基于堆的 ByteBuf

ByteBuf buffer = ByteBufAllocator.DEFAULT.heapBuffer(16);

也可以使用下面的代码来创建池化基于直接内存的 ByteBuf

ByteBuf buffer = ByteBufAllocator.DEFAULT.directBuffer(16);
  • 直接内存创建和销毁的代价昂贵,但读写性能高(少一次内存复制),适合配合池化功能一起用
  • 直接内存对 GC 压力小,因为这部分内存不受 JVM 垃圾回收的管理,但也要注意及时主动释放

验证

public class ByteBufStudy {
    public static void main(String[] args) {
        ByteBuf buffer = ByteBufAllocator.DEFAULT.buffer(16);
        System.out.println(buffer.getClass());

        buffer = ByteBufAllocator.DEFAULT.heapBuffer(16);
        System.out.println(buffer.getClass());

        buffer = ByteBufAllocator.DEFAULT.directBuffer(16);
        System.out.println(buffer.getClass());
    }
}
// 使用池化的直接内存
class io.netty.buffer.PooledUnsafeDirectByteBuf

// 使用池化的堆内存    
class io.netty.buffer.PooledUnsafeHeapByteBuf

// 使用池化的直接内存    
class io.netty.buffer.PooledUnsafeDirectByteBuf

池化与非池化

池化的最大意义在于可以重用 ByteBuf,优点有

  • 没有池化,则每次都得创建新的 ByteBuf 实例,这个操作对直接内存代价昂贵,就算是堆内存,也会增加 GC 压力
  • 有了池化,则可以重用池中 ByteBuf 实例,并且采用了与 jemalloc 类似的内存分配算法提升分配效率
  • 高并发时,池化功能更节约内存,减少内存溢出的可能

池化功能是否开启,可以通过下面的系统环境变量来设置

-Dio.netty.allocator.type={unpooled|pooled}
  • 4.1 以后,非 Android 平台默认启用池化实现,Android 平台启用非池化实现
  • 4.1 之前,池化功能还不成熟,默认是非池化实现

    组成

    ByteBuf主要有以下几个组成部分

  • 最大容量与当前容量

    • 在构造ByteBuf时,可传入两个参数,分别代表初始容量和最大容量,若未传入第二个参数(最大容量),最大容量默认为Integer.MAX_VALUE
    • 当ByteBuf容量无法容纳所有数据时,会进行扩容操作,若超出最大容量,会抛出java.lang.IndexOutOfBoundsException异常
  • 读写操作不同于ByteBuffer只用position进行控制,ByteBuf分别由读指针和写指针两个指针控制。进行读写操作时,无需进行模式的切换
    • 读指针前的部分被称为废弃部分,是已经读过的内容
    • 读指针与写指针之间的空间称为可读部分
    • 写指针与当前容量之间的空间称为可写部分

image.png

写入

常用方法如下

方法签名 含义 备注
writeBoolean(boolean value) 写入 boolean 值 用一字节 01|00 代表 true|false
writeByte(int value) 写入 byte 值
writeShort(int value) 写入 short 值
writeInt(int value) 写入 int 值 Big Endian(大端写入),即 0x250,写入后 00 00 02 50
writeIntLE(int value) 写入 int 值 Little Endian(小端写入),即 0x250,写入后 50 02 00 00
writeLong(long value) 写入 long 值
writeChar(int value) 写入 char 值
writeFloat(float value) 写入 float 值
writeDouble(double value) 写入 double 值
writeBytes(ByteBuf src) 写入 netty 的 ByteBuf
writeBytes(byte[] src) 写入 byte[]
writeBytes(ByteBuffer src) 写入 nio 的 ByteBuffer
int writeCharSequence(CharSequence sequence, Charset charset) 写入字符串 CharSequence为字符串类的父类,第二个参数为对应的字符集

注意

  • 这些方法的未指明返回值的,其返回值都是 ByteBuf,意味着可以链式调用来写入不同的数据
  • 网络传输中,默认习惯是 Big Endian,使用 writeInt(int value)

使用方法

public class ByteBufStudy {
    public static void main(String[] args) {
        // 创建ByteBuf
        ByteBuf buffer = ByteBufAllocator.DEFAULT.buffer(16, 20);
        ByteBufUtil.log(buffer);

        // 向buffer中写入数据
        buffer.writeBytes(new byte[]{1, 2, 3, 4});
        ByteBufUtil.log(buffer);

        buffer.writeInt(5);
        ByteBufUtil.log(buffer);

        buffer.writeIntLE(6);
        ByteBufUtil.log(buffer);

        buffer.writeLong(7);
        ByteBufUtil.log(buffer);
    }
}

运行结果

read index:0 write index:0 capacity:16

read index:0 write index:4 capacity:16
         +-------------------------------------------------+
         |  0  1  2  3  4  5  6  7  8  9  a  b  c  d  e  f |
+--------+-------------------------------------------------+----------------+
|00000000| 01 02 03 04                                     |....            |
+--------+-------------------------------------------------+----------------+

read index:0 write index:8 capacity:16
         +-------------------------------------------------+
         |  0  1  2  3  4  5  6  7  8  9  a  b  c  d  e  f |
+--------+-------------------------------------------------+----------------+
|00000000| 01 02 03 04 00 00 00 05                         |........        |
+--------+-------------------------------------------------+----------------+

read index:0 write index:12 capacity:16
         +-------------------------------------------------+
         |  0  1  2  3  4  5  6  7  8  9  a  b  c  d  e  f |
+--------+-------------------------------------------------+----------------+
|00000000| 01 02 03 04 00 00 00 05 06 00 00 00             |............    |
+--------+-------------------------------------------------+----------------+

read index:0 write index:20 capacity:20
         +-------------------------------------------------+
         |  0  1  2  3  4  5  6  7  8  9  a  b  c  d  e  f |
+--------+-------------------------------------------------+----------------+
|00000000| 01 02 03 04 00 00 00 05 06 00 00 00 00 00 00 00 |................|
|00000010| 00 00 00 07                                     |....            |
+--------+-------------------------------------------------+----------------+

还有一类方法是 set 开头的一系列方法,也可以写入数据,但不会改变写指针位置

扩容

当ByteBuf中的容量无法容纳写入的数据时,会进行扩容操作

buffer.writeLong(7);
ByteBufUtil.log(buffer);
// 扩容前
read index:0 write index:12 capacity:16
...

// 扩容后
read index:0 write index:20 capacity:20
         +-------------------------------------------------+
         |  0  1  2  3  4  5  6  7  8  9  a  b  c  d  e  f |
+--------+-------------------------------------------------+----------------+
|00000000| 01 02 03 04 00 00 00 05 06 00 00 00 00 00 00 00 |................|
|00000010| 00 00 00 07                                     |....            |
+--------+-------------------------------------------------+----------------+

扩容规则
  • 如何写入后数据大小未超过 512 字节,则选择下一个 16 的整数倍进行扩容
    • 例如写入后大小为 12 字节,则扩容后 capacity 是 16 字节
  • 如果写入后数据大小超过 512 字节,则选择下一个 2n
    • 例如写入后大小为 513 字节,则扩容后 capacity 是 210=1024 字节(29=512 已经不够了)
  • 扩容不能超过 maxCapacity,否则会抛出java.lang.IndexOutOfBoundsException异常

    Exception in thread "main" java.lang.IndexOutOfBoundsException: writerIndex(20) + minWritableBytes(8) exceeds maxCapacity(20): PooledUnsafeDirectByteBuf(ridx: 0, widx: 20, cap: 20/20)
    ...
    

    读取

    读取主要是通过一系列read方法进行读取,读取时会根据读取数据的字节数移动读指针
    如果需要重复读取,需要调用buffer.markReaderIndex()对读指针进行标记,并通过buffer.resetReaderIndex()将读指针恢复到mark标记的位置

    public class ByteBufStudy {
      public static void main(String[] args) {
          // 创建ByteBuf
          ByteBuf buffer = ByteBufAllocator.DEFAULT.buffer(16, 20);
    
          // 向buffer中写入数据
          buffer.writeBytes(new byte[]{1, 2, 3, 4});
          buffer.writeInt(5);
    
          // 读取4个字节
          System.out.println(buffer.readByte());
          System.out.println(buffer.readByte());
          System.out.println(buffer.readByte());
          System.out.println(buffer.readByte());
          ByteBufUtil.log(buffer);
    
          // 通过mark与reset实现重复读取
          buffer.markReaderIndex();
          System.out.println(buffer.readInt());
          ByteBufUtil.log(buffer);
    
          // 恢复到mark标记处
          buffer.resetReaderIndex();
          ByteBufUtil.log(buffer);
      }
    }
    

    ```java 1 2 3 4 read index:4 write index:8 capacity:16

       +-------------------------------------------------+
       |  0  1  2  3  4  5  6  7  8  9  a  b  c  d  e  f |
    

    +————+————————————————————————-+————————+ |00000000| 00 00 00 05 |…. | +————+————————————————————————-+————————+ 5 read index:8 write index:8 capacity:16

read index:4 write index:8 capacity:16 +————————————————————————-+ | 0 1 2 3 4 5 6 7 8 9 a b c d e f | +————+————————————————————————-+————————+ |00000000| 00 00 00 05 |…. | +————+————————————————————————-+————————+

还有以 get 开头的一系列方法,这些**方法不会改变读指针的位置**
<a name="XoCEV"></a>
#### 释放
由于 Netty 中有堆外内存(直接内存)的 ByteBuf 实现,**堆外内存最好是手动来释放**,而不是等 GC 垃圾回收。

- UnpooledHeapByteBuf 使用的是 JVM 内存,只需等 GC 回收内存即可
- UnpooledDirectByteBuf 使用的就是直接内存了,需要特殊的方法来回收内存
- PooledByteBuf 和它的子类使用了池化机制,需要更复杂的规则来回收内存

Netty 这里采用了引用计数法来控制回收内存,每个 ByteBuf 都实现了 ReferenceCounted 接口

- 每个 ByteBuf 对象的初始计数为 1
- 调用 release 方法计数减 1,如果计数为 0,ByteBuf 内存被回收
- 调用 retain 方法计数加 1,表示调用者没用完之前,其它 handler 即使调用了 release 也不会造成回收
- 当计数为 0 时,底层内存会被回收,这时即使 ByteBuf 对象还在,其各个方法均无法正常使用
<a name="SW0iT"></a>
#### 释放规则
因为 pipeline 的存在,一般需要将 ByteBuf 传递给下一个 ChannelHandler,如果在每个 ChannelHandler 中都去调用 release ,就失去了传递性(如果在这个 ChannelHandler 内这个 ByteBuf 已完成了它的使命,那么便无须再传递)<br />**基本规则是,谁是最后使用者,谁负责 release**

- 起点,对于 NIO 实现来讲,在 io.netty.channel.nio.AbstractNioByteChannel.NioByteUnsafe.read 方法中首次创建 ByteBuf 放入 pipeline(line 163 pipeline.fireChannelRead(byteBuf))
- 入站 ByteBuf 处理原则
   - 对原始 ByteBuf 不做处理,调用 ctx.fireChannelRead(msg) 向后传递,这时无须 release
   - **将原始 ByteBuf 转换为其它类型的 Java 对象,这时 ByteBuf 就没用了,必须 release**
   - **如果不调用 ctx.fireChannelRead(msg) 向后传递,那么也必须 release**
   - **注意各种异常,如果 ByteBuf 没有成功传递到下一个 ChannelHandler,必须 release**
   - 假设消息**一直向后传**,那么 TailContext 会负责释放未处理消息(原始的 ByteBuf)
- 出站 ByteBuf 处理原则
   - **出站消息最终都会转为 ByteBuf 输出,一直向前传,由 HeadContext flush 后 release**
- 异常处理原则
   - 有时候不清楚 ByteBuf 被引用了多少次,但又必须彻底释放,可以**循环调用 release 直到返回 **
```java
while (!buffer.release()) {}

当ByteBuf被传到了pipeline的head与tail时,ByteBuf会被其中的方法彻底释放,但前提是ByteBuf被传递到了head与tail中
TailConext中释放ByteBuf的源码

protected void onUnhandledInboundMessage(Object msg) {
    try {
        logger.debug("Discarded inbound message {} that reached at the tail of the pipeline. Please check your pipeline configuration.", msg);
    } finally {
        // 具体的释放方法
        ReferenceCountUtil.release(msg);
    }
}

判断传过来的是否为ByteBuf,是的话才需要释放

public static boolean release(Object msg) {
    return msg instanceof ReferenceCounted ? ((ReferenceCounted)msg).release() : false;
}

切片

ByteBuf切片是【零拷贝】的体现之一,对原始 ByteBuf 进行切片成多个 ByteBuf,切片后的 ByteBuf 并没有发生内存复制,还是使用原始 ByteBuf 的内存,切片后的 ByteBuf 维护独立的 read,write 指针
得到分片后的buffer后,要调用其retain方法,使其内部的引用计数加一。避免原ByteBuf释放,导致切片buffer无法使用
修改原ByteBuf中的值,也会影响切片后得到的ByteBuf
image.png

public class TestSlice {
    public static void main(String[] args) {
        // 创建ByteBuf
        ByteBuf buffer = ByteBufAllocator.DEFAULT.buffer(16, 20);

        // 向buffer中写入数据
        buffer.writeBytes(new byte[]{1, 2, 3, 4, 5, 6, 7, 8, 9, 10});

        // 将buffer分成两部分
        ByteBuf slice1 = buffer.slice(0, 5);
        ByteBuf slice2 = buffer.slice(5, 5);

        // 需要让分片的buffer引用计数加一
        // 避免原Buffer释放导致分片buffer无法使用
        slice1.retain();
        slice2.retain();

        ByteBufUtil.log(slice1);
        ByteBufUtil.log(slice2);

        // 更改原始buffer中的值
        System.out.println("===========修改原buffer中的值===========");
        buffer.setByte(0,5);

        System.out.println("===========打印slice1===========");
        ByteBufUtil.log(slice1);
    }
}

运行结果

read index:0 write index:5 capacity:5
         +-------------------------------------------------+
         |  0  1  2  3  4  5  6  7  8  9  a  b  c  d  e  f |
+--------+-------------------------------------------------+----------------+
|00000000| 01 02 03 04 05                                  |.....           |
+--------+-------------------------------------------------+----------------+
read index:0 write index:5 capacity:5
         +-------------------------------------------------+
         |  0  1  2  3  4  5  6  7  8  9  a  b  c  d  e  f |
+--------+-------------------------------------------------+----------------+
|00000000| 06 07 08 09 0a                                  |.....           |
+--------+-------------------------------------------------+----------------+
===========修改原buffer中的值===========
===========打印slice1===========
read index:0 write index:5 capacity:5
         +-------------------------------------------------+
         |  0  1  2  3  4  5  6  7  8  9  a  b  c  d  e  f |
+--------+-------------------------------------------------+----------------+
|00000000| 05 02 03 04 05                                  |.....           |
+--------+-------------------------------------------------+----------------+

优势

  • 池化思想 - 可以重用池中 ByteBuf 实例,更节约内存,减少内存溢出的可能
  • 读写指针分离,不需要像 ByteBuffer 一样切换读写模式
  • 可以自动扩容
  • 支持链式调用,使用更流畅
  • 很多地方体现零拷贝,例如
    • slice、duplicate、CompositeByteBuf