粘包和拆包是TCP网络编程中不可避免的,无论是服务端还是客户端,当我们读取或者发送消息的时候,都需要考虑TCP底层的粘包/拆包机制。
TCP是个“流”协议,所谓流,就是没有界限的一串数据。TCP底层并不了解上层业务数据的具体含义,它会根据TCP缓冲区的实际情况进行包的划分,所以在业务上认为,一个完整的包可能会被TCP拆分成多个包进行发送,也有可能把多个小的包封装成一个大的数据包发送,这就是所谓的TCP粘包和拆包问题。
如图所示,假设客户端分别发送了两个数据包D1和D2给服务端,由于服务端一次读取到的字节数是不确定的,故可能存在以下4种情况。
@Override
public void channelActive(ChannelHandlerContext channelHandlerContext) throws Exception {
for (int i = 0; i < 10; i++) {
channelHandlerContext.writeAndFlush(Unpooled.copiedBuffer("你好呀.我是Netty客户端" + i,
CharsetUtil.UTF_8));
}
}
public int count = 0;
/**
* 通道读取事件
* @param channelHandlerContext
* @param msg
* @throws Exception
*/
@Override
public void channelRead(ChannelHandlerContext channelHandlerContext, Object msg) throws Exception {
ByteBuf byteBuf = (ByteBuf) msg;
System.out.println("客户端发来的消息: " + byteBuf.toString(CharsetUtil.UTF_8));
System.out.println("读取次数: " + (++count));
}
运行效果:
服务端一次读取了客户端发送过来的消息,应该读取10次. 因此发生粘包。
@Override
public void channelActive(ChannelHandlerContext channelHandlerContext) throws Exception {
//一次发送102400字节数据
byte[] bytes = new byte[102400];
Arrays.fill(bytes, (byte) 10);
for (int i = 0; i < 10; i++) {
channelHandlerContext.writeAndFlush(Unpooled.copiedBuffer(bytes));
}
}
public int count = 0;
/**
* 通道读取事件
* @param channelHandlerContext
* @param msg
* @throws Exception
*/
@Override
public void channelRead(ChannelHandlerContext channelHandlerContext, Object msg) throws Exception {
ByteBuf byteBuf = (ByteBuf) msg;
System.out.println("长度是:" + byteBuf.readableBytes());
System.out.println("读取次数 = " + (++count));
}
运行结果:
当客户端发送的数据包比较大的时候, 读取了18次, 应该读取10次, 则发送拆包事件。
由于底层的TCP无法理解上层的业务数据,所以在底层是无法保证数据包不被拆分和重组的,这个问题只能通过上层的应用协议栈设计来解决,根据业界的主流协议的解决方案,可以归纳如下:
Netty提供了4种解码器来解决,分别如下:
这里以LineBasedFrameDecoder解码器为例:
// NettyServer添加解码器// 添加解码器
socketChannel.pipeline().addLast(new LineBasedFrameDecoder(2048));
// NettyClient添加解码器
// 添加解码器
socketChannel.pipeline().addLast(new LineBasedFrameDecoder(2048));
// NettyClientHandle发送消息时添加换行符
@Override
public void channelActive(ChannelHandlerContext channelHandlerContext) throws Exception {
for (int i = 0; i < 10; i++) {
channelHandlerContext.writeAndFlush(Unpooled.copiedBuffer("你好呀.我是Netty客户端" + i + "\n",
CharsetUtil.UTF_8));
}
}
运行效果:
发送了10次,也读取了10次,解决了粘包的问题。
2. 拆包问题:
// 服务端添加解码器
socketChannel.pipeline().addLast(new LineBasedFrameDecoder(102400));
// 客户端添加解码器
socketChannel.pipeline().addLast(new LineBasedFrameDecoder(102400));
// 客户端发送消息改造
@Override
public void channelActive(ChannelHandlerContext channelHandlerContext) throws Exception {
//一次发送102400字节数据
char[] chars = new char[102400];
Arrays.fill(chars, 0, 102398, 'a');
chars[102399] = '\n';
for (int i = 0; i < 10; i++) {
channelHandlerContext.writeAndFlush(Unpooled.copiedBuffer(chars, CharsetUtil.UTF_8));
}
}