The whole process of solving the problem of sticky packet unpacking during TCP communication

The whole process of solving the problem of sticky packet unpacking during TCP communication

[[359421]]

When using TCP protocol for communication, the most common problem is the problem of packet sticking and unpacking. This article will take a look at how to solve the problem of packet sticking and unpacking.

01-TCP packet sticking/unpacking problem and solution

Before solving TCP packet sticking and unpacking, let's take a look at an idea. Let's take a look at a demo of reading an Int data to experience this idea.

1.1 ReplayingDecoder

1. Custom decoder, read an Int from ByteBuf. (Key point, you must understand this code)

  1. public class IntegerHeaderFrameDecoder extends ByteToMessageDecoder {
  2. @Override
  3. protected void decode(ChannelHandlerContext ctx, ByteBuf buf, List<Object> out ) throws Exception {
  4. if (buf.readableBytes() < 4) {
  5. return ;
  6. }
  7. buf.markReaderIndex(); //Mark the current read pointer.
  8. int length = buf.readInt(); //Read an int from ByteBuf  
  9. if (buf.readableBytes() < length) {
  10. buf.resetReaderIndex(); //Restore to the read pointer just marked
  11. return ;
  12. }
  13. out .add (buf.readBytes(length)) ;
  14. }
  15. }

2. Optimize using ReplayingDecoder()

  1. public class IntegerHeaderFrameDecoder extends ReplayingDecoder<Void> {
  2. protected void decode(ChannelHandlerContext ctx, ByteBuf buf, List<Object> out ) throws Exception {
  3. out . add (buf.readBytes(buf.readInt()));
  4. }
  5. }

3. Instructions for using ReplayingDecoder (key points to understand)

  • a uses a special ByteBuf called ReplayingDecoderByteBuf, which extends ByteBuf
  • b Rewrote the readXxx() and other methods of ByteBuf, which will first check the readable byte length. Once it is detected that the requirement is not met, REPLAY will be thrown directly (REPLAY inherits ERROR)
  • c ReplayingDecoder overrides the callDecode() method of ByteToMessageDecoder, captures Signal and resets the readerIndex of ByteBuf in the catch block.
  • d Continue to wait for data until the data is available and continue reading, so as to ensure that the data that needs to be read is read.
  • The generic type S in the e class definition is a state machine enumeration class used to record the decoding state, which is used in methods such as state(S s) and checkpoint(S s). You can also use java.lang.Void as a placeholder for simple decoding.

Summarize:

ReplayingDecoder is a subclass of ByteToMessageDecoder, which extends ByteBuf. Since methods such as readXxx() are written, if the current data in ByteBuf is less than the substitute data, it will wait for the data to be sufficient before retrieving the data. This means that the manual implementation of this code can be omitted.

4. Note

  1. 1 Some operations on buffer (readBytes(ByteBuffer dst), retain(), release() and other methods will directly throw exceptions)
  2. 2 In some cases, it may affect performance (such as decoding the same message multiple times)

Inherit ReplayingDecoder, error examples and modifications

  1. //This is an incorrect example:
  2. //The message contains 2 integers . The decode method in the code will be called twice. At this time, the queue size is not equal to 2. This code cannot achieve the expected result.
  3. public class MyDecoder extends ReplayingDecoder<Void> {
  4. private final Queue< Integer > values ​​= new LinkedList< Integer >();
  5. @Override
  6. public void decode(ByteBuf buf, List<Object> out ) throws Exception {
  7. // A message contains 2 integers.
  8. values ​​.offer(buf.readInt());
  9. values ​​.offer(buf.readInt());
  10. assert values ​​. size () == 2;
  11. out . add ( values ​​.poll() + values ​​.poll());
  12. }
  13. }

  1. //Correct approach:
  2. public class MyDecoder extends ReplayingDecoder<Void> {
  3. private final Queue< Integer > values ​​= new LinkedList< Integer >();
  4. @Override
  5. public void decode(ByteBuf buf, List<Object> out ) throws Exception {
  6. // Revert the state of the variable that might have been changed
  7. // since the last   partial decode.
  8. values ​​.clear();
  9. // A message contains 2 integers.
  10. values ​​.offer(buf.readInt());
  11. values ​​.offer(buf.readInt());
  12. // Now we know this assertion will never fail.
  13. assert values ​​. size () == 2;
  14. out . add ( values ​​.poll() + values ​​.poll());
  15. }
  16. }

Implementation of ByteToIntegerDecoder2

  1. public class ByteToIntegerDecoder2 extends ReplayingDecoder<Void> {
  2. /**
  3. * @param ctx context
  4. * @param in Input ByteBuf message data
  5. * @param out The output container after conversion
  6. * @throws Exception
  7. */
  8. @Override
  9. protected void decode(ChannelHandlerContext ctx, ByteBuf in , List<Object> out ) throws Exception {
  10. out . add ( in .readInt()); //Read int type data, put it into the output, and complete the data type conversion
  11. }
  12. }

1.2 Re-appearance of the unpacking and sticking problem (the client sends ten pieces of data to the server)

1. Client startup class

  1. public class NettyClient {
  2. public   static void main(String[] args) throws Exception{
  3. EventLoopGroup worker = new NioEventLoopGroup();
  4. try {
  5. //Server startup class
  6. Bootstrap bootstrap = new Bootstrap();
  7. bootstrap.group (worker);
  8. bootstrap.channel(NioSocketChannel.class);
  9. bootstrap.handler(new ChannelInitializer<SocketChannel>() {
  10. @Override
  11. protected void initChannel(SocketChannel ch) throws Exception {
  12. ch.pipeline().addLast(new ClientHandler());
  13. }
  14. });
  15. ChannelFuture future = bootstrap.connect ( "127.0.0.1" , 5566).sync();
  16. future.channel().closeFuture().sync();
  17. finally
  18. worker.shutdownGracefully();
  19. }
  20. }
  21. }

2. ClientHandler

  1. public class ClientHandler extends SimpleChannelInboundHandler<ByteBuf> {
  2. private int   count ;
  3. @Override
  4. protected void channelRead0(ChannelHandlerContext ctx, ByteBuf msg) throws Exception {
  5. System.out.println ( "Received message from server: " +
  6. msg.toString(CharsetUtil.UTF_8));
  7. System. out .println( "Number of messages received from the server: " + (++ count ));
  8. }
  9. @Override
  10. public void channelActive(ChannelHandlerContext ctx) throws Exception {
  11. for ( int i = 0; i < 10; i++) {
  12. ctx.writeAndFlush(Unpooled.copiedBuffer( "from client a message!" ,
  13. CharsetUtil.UTF_8));
  14. }
  15. }
  16. @Override
  17. public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) throws Exception {
  18. cause.printStackTrace();
  19. ctx.close ();
  20. }
  21. }

3. NettyServer on the server side

  1. public class NettyServer {
  2. public   static void main(String[] args) throws Exception {
  3. // Main thread, does not process any business logic, just receives client connection requests
  4. EventLoopGroup boss = new NioEventLoopGroup(1);
  5. //Working thread, the default number of threads is: cpu*2
  6. EventLoopGroup worker = new NioEventLoopGroup();
  7. try {
  8. //Server startup class
  9. ServerBootstrap serverBootstrap = new ServerBootstrap();
  10. serverBootstrap.group (boss, worker) ;
  11. //Configure server channel
  12. serverBootstrap.channel(NioServerSocketChannel.class);
  13. serverBootstrap.childHandler(new ChannelInitializer<SocketChannel>() {
  14. @Override
  15. protected void initChannel(SocketChannel ch) throws Exception {
  16. ch.pipeline()
  17. .addLast(new ServerHandler());
  18. }
  19. }); //Worker thread processor
  20. ChannelFuture future = serverBootstrap.bind(5566).sync();
  21. System. out .println( "Server startup completed..." );
  22. //Wait for the server listening port to close
  23. future.channel().closeFuture().sync();
  24. finally
  25. //Elegant shutdown
  26. boss.shutdownGracefully();
  27. worker.shutdownGracefully();
  28. }
  29. }
  30. }

4. ServerHandler

  1. public class ServerHandler extends SimpleChannelInboundHandler<ByteBuf> {
  2. private int   count ;
  3. @Override
  4. protected void channelRead0(ChannelHandlerContext ctx, ByteBuf msg) throws Exception {
  5. System.out.println ( "The server received the message: " +
  6. msg.toString(CharsetUtil.UTF_8));
  7. System. out .println( "Number of messages received by the server: " + (++ count ));
  8. ctx.writeAndFlush(Unpooled.copiedBuffer( "ok" , CharsetUtil.UTF_8));
  9. }
  10. }

1.3 What is TCP packet sticking and unpacking?

TCP is a stream transmission, so-called stream means data without boundaries. When the server receives the client data, it does not know whether it is one or more. When the server reads the data, there will be a packet sticking problem.

Therefore, when the server and client transmit data, they must formulate unpacking rules. The client sticks the packet according to the rules, and the server unpacks the packet according to the rules. If there is any violation of the rules, the server will not be able to get the expected data.

1. Solutions (three types)

  • 1. Add a header to the data packet being sent and store the size of the data in the header. The server can then read the data according to this size and know where the boundary is.
  • 2. Send data with a fixed length. If the length exceeds the limit, send it in multiple times. If the length is insufficient, fill it with 0. The receiving end can receive the data with the fixed length.
  • 3. Set boundaries between data packets, such as adding special symbols, so that the receiving end can separate different data packets through this boundary.

1.4 Practice: Solving TCP's Packet Sticking/Unpacking Problems

1. Custom protocol

  1. public class MyProtocol {
  2. private Integer length; //Data header: length
  3. private byte[] body; //data body
  4. public   Integer getLength() {
  5. return length;
  6. }
  7. public void setLength( Integer length) {
  8. this.length = length;
  9. }
  10. public byte[] getBody() {
  11. return body;
  12. }
  13. public void setBody(byte[] body) {
  14. this.body = body;
  15. }

2. Encoder

  1. public class MyEncoder extends MessageToByteEncoder<MyProtocol> {
  2. @Override
  3. protected void encode(ChannelHandlerContext ctx, MyProtocol msg, ByteBuf out ) throws Exception {
  4. out .writeInt(msg.getLength());
  5. out .writeBytes(msg.getBody());
  6. }
  7. }

3. Decoder

  1. public class MyDecoder extends ReplayingDecoder<Void> {
  2. @Override
  3. protected void decode(ChannelHandlerContext ctx, ByteBuf in , List<Object> out ) throws Exception {
  4. int length = in .readInt(); //Get the length
  5. byte[] data = new byte[length]; //Define byte array based on length
  6. in .readBytes(data); //Read data
  7. MyProtocol myProtocol = new MyProtocol();
  8. myProtocol.setLength(length);
  9. myProtocol.setBody(data);
  10. out . add ( myProtocol );
  11. }
  12. }

4. ClientHandler

  1. public class ClientHandler extends SimpleChannelInboundHandler<MyProtocol> {
  2. private int   count ;
  3. @Override
  4. protected void channelRead0(ChannelHandlerContext ctx, MyProtocol msg) throws Exception {
  5. System.out.println ( "Received message from server: " + new String(msg.getBody(),
  6. CharsetUtil.UTF_8));
  7. System. out .println( "Number of messages received from the server: " + (++ count ));
  8. }
  9. @Override
  10. public void channelActive(ChannelHandlerContext ctx) throws Exception {
  11. for ( int i = 0; i < 10; i++) {
  12. byte[] data = "from client a message!" .getBytes(CharsetUtil.UTF_8);
  13. MyProtocol myProtocol = new MyProtocol();
  14. myProtocol.setLength(data.length);
  15. myProtocol.setBody(data);
  16. ctx.writeAndFlush(myProtocol);
  17. }
  18. }
  19. @Override
  20. public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause)throws Exception {
  21. cause.printStackTrace();
  22. ctx.close ();
  23. }
  24. }

5. NettyClient

  1. public class NettyClient {
  2. public   static void main(String[] args) throws Exception{
  3. EventLoopGroup worker = new NioEventLoopGroup();
  4. try {
  5. //Server startup class
  6. Bootstrap bootstrap = new Bootstrap();
  7. bootstrap.group (worker);
  8. bootstrap.channel(NioSocketChannel.class);
  9. bootstrap.handler(new ChannelInitializer<SocketChannel>() {
  10. @Override
  11. protected void initChannel(SocketChannel ch) throws Exception {
  12. ch.pipeline().addLast(new MyEncoder());
  13. ch.pipeline().addLast(new MyDecoder());
  14. ch.pipeline().addLast(new ClientHandler());
  15. }
  16. });
  17. ChannelFuture future = bootstrap.connect ( "127.0.0.1" , 5566).sync();
  18. future.channel().closeFuture().sync();
  19. finally
  20. worker.shutdownGracefully();
  21. }
  22. }
  23. }

6. ServerHandler

  1. public class ServerHandler extends SimpleChannelInboundHandler<MyProtocol> {
  2. private int   count ;
  3. @Override
  4. protected void channelRead0(ChannelHandlerContext ctx, MyProtocol msg) throws Exception {
  5. System.out.println ( "The server received the message: " + new String(msg.getBody(),
  6. CharsetUtil.UTF_8));
  7. System. out .println( "Number of messages received by the server: " + (++ count ));
  8. byte[] data = "ok" .getBytes(CharsetUtil.UTF_8);
  9. MyProtocol myProtocol = new MyProtocol();
  10. myProtocol.setLength(data.length);
  11. myProtocol.setBody(data);
  12. ctx.writeAndFlush(myProtocol);
  13. }
  14. }

7. NettyServer

  1. public class NettyServer {
  2. public   static void main(String[] args) throws Exception {
  3. // Main thread, does not process any business logic, just receives client connection requests
  4. EventLoopGroup boss = new NioEventLoopGroup(1);
  5. //Working thread, the default number of threads is: cpu*2
  6. EventLoopGroup worker = new NioEventLoopGroup();
  7. try {
  8. //Server startup class
  9. ServerBootstrap serverBootstrap = new ServerBootstrap();
  10. serverBootstrap.group (boss, worker) ;
  11. //Configure server channel
  12. serverBootstrap.channel(NioServerSocketChannel.class);
  13. serverBootstrap.childHandler(new ChannelInitializer<SocketChannel>() {
  14. @Override
  15. protected void initChannel(SocketChannel ch) throws Exception {
  16. ch.pipeline()
  17. .addLast(new MyDecoder())
  18. .addLast(new MyEncoder())
  19. .addLast(new ServerHandler());
  20. }
  21. }); //Worker thread processor
  22. ChannelFuture future = serverBootstrap.bind(5566).sync();
  23. System. out .println( "Server startup completed..." );
  24. //Wait for the server listening port to close
  25. future.channel().closeFuture().sync();
  26. finally
  27. //Elegant shutdown
  28. boss.shutdownGracefully();
  29. worker.shutdownGracefully();
  30. }
  31. }
  32. }

8. Testing

022 Netty core source code analysis

2.1 Analysis of the server startup process

1. Create a server channel

  1. 1 The bind() method of the ServerBootstrap object is also the entry method
  2. 2 initAndRegister() in AbstractBootstrap to create Channel
  3. The work of creating a Channel is completed by the newChannel() method in the ReflectiveChannelFactory reflection class.
  4. 3 In the construction method of NioServerSocketChannel, ServerSocketChannel is opened through the SelectorProvider of the underlying jdk nio.
  5. 4 In the constructor of AbstractNioChannel, set the channel to non-blocking: ch.configureBlocking( false );
  6. 5 Through the construction method of AbstractChannel, the id, unsafe, and pipeline contents are created.
  7. 6 Get some parameters of TCP underlying layer through NioServerSocketChannelConfig

2. Initialize the server channel

  1. 1 initAndRegister() in AbstractBootstrap initializes channel, code: init(channel);
  2.  
  3. 2 Set channelOptions and Attributes in the init() method in ServerBootstrap.
  4.  
  5. 3 Next, save the user-defined parameters and attributes to the local variables currentChildOptions and currentChildAttrs.
  6. For later use
  7.  
  8. 4 If serverBootstrap.handler() is set, it will be added to the pipeline.
  9.  
  10. 5 Add the connector ServerBootstrapAcceptor. When a new connection is added, add the custom childHandler to the connection.
  11. In the pipeline:

  1. ch.eventLoop(). execute (new Runnable() {
  2. @Override
  3. public void run() {
  4. pipeline.addLast(
  5. new ServerBootstrapAcceptor(ch, currentChildGroup,currentChildHandler, currentChildOptions, currentChildAttrs));
  6. }
  7. });

  1. @Override
  2. @SuppressWarnings( "unchecked" )
  3. public void channelRead(ChannelHandlerContext ctx, Object msg) {
  4. //Only when the client is connected will it be executed
  5. final Channel child = (Channel) msg;
  6. //Add the custom childHandler to the connected pipeline
  7. child.pipeline().addLast(childHandler);
  8. setChannelOptions(child, childOptions, logger);
  9. setAttributes(child, childAttrs);
  10. try {
  11. childGroup.register(child).addListener(new ChannelFutureListener(){
  12. @Override
  13. public void operationComplete(ChannelFuture future) throws Exception {
  14. if (!future.isSuccess()) {
  15. forceClose(child, future.cause());
  16. }
  17. }
  18. });
  19. } catch (Throwable t) {
  20. forceClose(child, t);
  21. }
  22. }

3. Register the selector

  1. //Register
  2. 1 ChannelFuture in initAndRegister() method regFuture = config(). group ().register(channel);
  3.  
  4. 2. The actual registration is done in io.netty.channel.AbstractChannel.AbstractUnsafe#register()
  5. 2.1 AbstractChannel.this.eventLoop = eventLoop; Assign eventLoop and subsequent IO events
  6. The work will be executed by this eventLoop.
  7. 2.2 Call doRegister() in register0(promise) to perform actual registration
  8.      
  9. 3 io.netty.channel.nio.AbstractNioChannel#doRegister implements the method

  1. //Register the multiplexer through the JDK underlying layer
  2. //javaChannel() -- the channel created previously  
  3. //eventLoop().unwrappedSelector() -- Get the selector  
  4. //Registering events of interest is 0, indicating that there are no events of interest, and events will be re-registered later
  5. //Register this object as an attachment to the selector, so that you can get the content of the current object later
  6. selectionKey = javaChannel().register(eventLoop().unwrappedSelector(), 0, this);

4. Bind port

  1. 1 Enter io.netty.bootstrap.AbstractBootstrap#doBind0() and start a thread to perform the port binding operation
  2.  
  3. 2 Call io.netty.channel.AbstractChannelHandlerContext#bind(java.net.SocketAddress,
  4. io.netty.channel.ChannelPromise) method to start the thread execution again
  5.    
  6. 3 Finally, call io.netty.channel.socket.nio.NioServerSocketChannel#doBind() method to perform binding operation

  1. //Bind through the underlying channel of JDK
  2. @SuppressJava6Requirement(reason = "Usage guarded by java version check" )
  3. @Override
  4. protected void doBind(SocketAddress localAddress) throws Exception {
  5. if (PlatformDependent.javaVersion() >= 7) {
  6. javaChannel().bind(localAddress, config.getBacklog());
  7. } else {
  8. javaChannel().socket().bind(localAddress,
  9. config.getBacklog());
  10. }
  11. }

When will the master-slave event of the selector be updated? This is ultimately done in the io.netty.channel.nio.AbstractNioChannel#doBeginRead() method.

  1. protected void doBeginRead() throws Exception {
  2. // Channel. read () or ChannelHandlerContext. read () was called
  3. final SelectionKey selectionKey = this.selectionKey;
  4. if (!selectionKey.isValid()) {
  5. return ;
  6. }
  7. readPending = true ;
  8. final int interestOps = selectionKey.interestOps();
  9. if ((interestOps & readInterestOp) == 0) {
  10. selectionKey.interestOps(interestOps | readInterestOp); //Set
  11. The event of interest is OP_ACCEPT
  12. }
  13. }
  14. //Assign values ​​in the NioServerSocketChannel constructor
  15. public NioServerSocketChannel(ServerSocketChannel channel) {
  16. super( null , channel, SelectionKey.OP_ACCEPT);
  17. config = new NioServerSocketChannelConfig(this,
  18. javaChannel().socket());
  19. }

2.2 Source code analysis of the connection request process

1. New connection access

  1. Entrance at
  2. io.netty.channel.nio.NioEventLoop#processSelectedKey(java.nio.channels.SelectionKey,
  3. io.netty.channel.nio.AbstractNioChannel)
  4. Enter the read () method of NioMessageUnsafe
  5.      
  6. Call io.netty.channel.socket.nio.NioServerSocketChannel#doReadMessages() to create
  7. The underlying channel of jdk is encapsulated as NioSocketChannel and added to the List container

  1. @Override
  2. protected int doReadMessages(List<Object> buf) throws Exception {
  3. SocketChannel ch = SocketUtils.accept(javaChannel());
  4. try {
  5. if (ch != null ) {
  6. buf.add (new NioSocketChannel(this, ch));
  7. return 1;
  8. }
  9. } catch (Throwable t) {
  10. logger.warn("Failed to   create a new channel from an
  11. accepted socket.", t);
  12. try {
  13. ch.close ();
  14. } catch (Throwable t2) {
  15. logger.warn( "Failed to close a socket." , t2);
  16. }
  17. }
  18. return 0;
  19. }

  1. Creating a NioSocketChannel Object
  2. new NioSocketChannel(this, ch), created by new method
  3. Calling super's constructor
  4. Pass in the SelectionKey.OP_READ event flag
  5. Create id, unsafe, pipeline objects
  6. Set non-blocking ch.configureBlocking( false );
  7. Creating a NioSocketChannelConfig Object

2. Register read events

  1. In io.netty.channel.nio.AbstractNioMessageChannel.NioMessageUnsafe:
  2. for ( int i = 0; i < size ; i ++) {
  3. readPending = false ;
  4. pipeline.fireChannelRead(readBuf.get(i)); //Propagate read events
  5. }

  1. In io.netty.channel.AbstractChannelHandlerContext#invokeChannelRead(java.lang.Object)
  2. French-Chinese
  3. private void invokeChannelRead(Object msg) {
  4. if (invokeHandler()) {
  5. try {
  6. //Execute channelRead. Note that the first execution is HeadHandler and the second is
  7. ServerBootstrapAcceptor
  8. //Enter through ServerBootstrapAcceptor and register the same selector as the new connection
  9. Logical registration and event binding
  10. ((ChannelInboundHandler) handler()).channelRead(this, msg);
  11. } catch (Throwable t) {
  12. invokeExceptionCaught(t);
  13. }
  14. } else {
  15. fireChannelRead(msg);
  16. }
  17. }

03 Three Netty optimization points

Some simple tips for using Netty. Worth a look.

3.1 Zero Copy

  • 1 Bytebuf uses the pooled DirectBuffer type, so there is no need to copy the byte buffer twice. If heap memory is used, the JVM will copy it to the heap first and then write it to the Socket, which will result in an extra copy.
  • 2 CompositeByteBuf encapsulates multiple ByteBufs into one ByteBuf, and no process copying is required when adding ByteBufs.
  • 3 The transferTo method of Netty's file transfer class DefaultFileRegion sends files to the target channel without the need for circular copying, which improves performance.

3.2 EventLoop Task Scheduling

  1. channel.eventLoop(). execute (new Runnable() {
  2. @Override
  3. public void run() {
  4. channel.writeAndFlush(data)
  5. }
  6. });

Instead of using hannel.writeAndFlush(data); EventLoop's task scheduling is directly put into the execution queue of EventLoop corresponding to the channel, which will cause thread switching. Note: At the bottom layer of writeAndFlush, if it is not executed through eventLoop, a new thread will be started.

3.3 Reduce the call length of ChannelPipline

  1. public class YourHandler extends ChannelInboundHandlerAdapter {
  2. @Override
  3. public void channelActive(ChannelHandlerContext ctx) {
  4. //msg goes through the entire ChannelPipline and all handlers.
  5. ctx.channel().writeAndFlush(msg);
  6. //From the current handler to the end of the pipeline, the call is shorter.
  7. ctx.writeAndFlush(msg);
  8. }
  9. }

3.4 Reduce the creation of ChannelHandler (basically no configuration)

If the channelhandler is stateless (that is, no state parameters need to be saved), then use the Sharable annotation and only create one instance during bootstrap to reduce GC. Otherwise, a new handler object will be created for each connection.

  1. @ChannelHandler.Shareable
  2. public class StatelessHandler extends ChannelInboundHandlerAdapter {
  3. @Override
  4. public void channelActive(ChannelHandlerContext ctx) {}
  5. }
  6. public class MyInitializer extends ChannelInitializer<Channel> {
  7. private static final ChannelHandler INSTANCE = new StatelessHandler();
  8. @Override
  9. public void initChannel(Channel ch) {
  10. ch.pipeline().addLast(INSTANCE);
  11. }
  12. }

Notice:

Codecs such as ByteToMessageDecoder are stateful and cannot use the Sharable annotation.

3.5 Configuration parameter settings

  1. The bossGroup on the server only needs to be set to 1, because ServerSocketChannel will only
  2. Register to an eventLoop, and this eventLoop will only have one thread running, so there is no need to set
  3. Multithreading. For IO threads, in order to fully utilize the CPU and reduce the overhead of online and context switching, workGroup
  4. Set to twice the number of CPU cores, which is also the default value provided by Netty.
  5.  
  6. In scenarios where high response time is required, use .childOption(ChannelOption.TCP_NODELAY, true )
  7. And option (ChannelOption.TCP_NODELAY, true ) to disable the Nagle algorithm, do not wait, send immediately.

The knowledge points related to Netty have been shared. I will continue to share content related to Netty in the future, mainly about problems encountered at work and new insights.

<<:  Kunpeng Technology Open Day came to Shenzhen Futian to see how cloud-intelligence integration will open up the future

>>:  As of December 2020, there are 229 million 5G users worldwide

Recommend

Ruijie appeared at GITC: Internet companies please give me a thumbs up!

[[177701]] [51CTO.com original article] The GITC ...

9 classic cases, online teaching how to troubleshoot network failures

Network failure is the most common and difficult ...

Two ways of TCP retransmission

There is no communication without errors. This se...

Synchronous vs. Asynchronous Data Transfer: Which is Better?

In any organization, the network infrastructure h...

BuyVM: $3.5/month KVM-1GB/20GB/1Gbps unlimited traffic/Las Vegas data center

BuyVM Las Vegas has currently restocked a large n...

Huaxia Finance: Create an investment product that makes young people addicted

[51CTO.com original article] If someone asked wha...

My girlfriend suddenly asked me what DNS is...

[[357457]] This article is reprinted from the WeC...

HTTPS 7-way handshake and 9 times delay

HTTP (Hypertext Transfer Protocol) has become the...

Evolution of network automation to network intelligence

In the process of industrial digitalization, Inte...