Introduce the commonly used encoders and decoders in Netty

Introduce the commonly used encoders and decoders in Netty

[[359182]]

The previous article introduced Netty related knowledge points. Next, we will introduce the encoder and decoder used in the communication process. Does this remind you of spy war dramas? The sender of intelligence is afraid of intelligence leakage, so he encrypts the intelligence and sends it to the receiver. The receiver decrypts the intelligence and gets the intelligence. Are the encoder and decoder mentioned here very similar to intelligence transmission? Let's check out this article together to reveal the secret!!!
1-Codec

1 1.1 What is a codec?

In the process of network transmission, data is transmitted in the form of byte streams. When the client sends data to the server, it converts other types of data in the business into bytes, which is called encoding. The server receives the data as a byte stream, and converts the byte stream into the original format, which is called decoding. Collectively referred to as codec.

A codec is divided into two parts - encoder and decoder, encoder is responsible for outbound and decoder is responsible for inbound.

2 1.2 Decoder

1.2.1 Overview

The decoder is responsible for inbound operations, so it must also implement the ChannelInboundHandler interface, so the decoder is essentially a ChannelHandler. Our custom codec only needs to inherit ByteToMessageDecoder (Netty provides an abstract class that inherits ChannelInboundHandlerAdapter) and implement decode(). Netty provides some commonly used decoder implementations that are ready to use. As follows:

  1. 1 RedisDecoder Decoder based on Redis protocol
  2. 2 XmlDecoder Decoder based on XML format
  3. 3 JsonObjectDecoder Decoder based on json data format
  4. 4 HttpObjectDecoder Decoder based on http protocol

Netty also provides MessageToMessageDecoder, a decoder that converts one format into another, and also provides some implementations, as follows:

  1. 1 StringDecoder converts the received ByteBuf into a string
  2. 2 ByteArrayDecoder converts the received ByteBuf into a byte array
  3. 3 Base64Decoder Decodes a Base64 encoded ByteBuf or US-ASCII string into a ByteBuf.

1.2.2 Convert byte stream to Intger type (example)

1. Byte decoder

  1. package com.haopt.netty.codec;
  2. import io.netty.buffer.ByteBuf;
  3. import io.netty.channel.ChannelHandlerContext;
  4. import io.netty.handler.codec.ByteToMessageDecoder;
  5.  
  6. import java.util.List;
  7. public class ByteToIntegerDecoder extends ByteToMessageDecoder {
  8. /**
  9. *
  10. * @param ctx context
  11. * @param in Input ByteBuf message data
  12. * @param out The output container after conversion
  13. * @throws Exception
  14. */
  15. @Override
  16. protected void decode(ChannelHandlerContext ctx, ByteBuf in , List<Object> out ) throws Exception {
  17. if( in .readableBytes() >= 4){ // int type occupies 4 bytes, so we need to determine whether there are 4 bytes before reading
  18. out . add ( in .readInt()); //Read int type data, put it into the output, and complete the data type conversion
  19. }
  20. }
  21. }

2. Handler

  1. package com.haopt.netty.codec;
  2. import io.netty.channel.ChannelHandlerContext;
  3. import io.netty.channel.ChannelInboundHandlerAdapter;
  4. public class ServerHandler extends ChannelInboundHandlerAdapter {
  5. @Override
  6. public void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception {
  7. Integer i = ( Integer ) msg; //Here you can directly get the Integer type data
  8. System. out .println( "The message received by the server is: " + i);
  9. }
  10. }

3 Add a decoder to the pipeline

  1. @Override
  2. protected void initChannel(SocketChannel ch) throws Exception {
  3. ch.pipeline()
  4. .addLast(new ByteToIntegerDecoder())
  5. .addLast(new ServerHandler());
  6. }

You can copy the code to IDEA and run it to see the running effect.

3 1.3 Encoder

1.3.1 Overview

Convert the original format to bytes. To implement a custom decoder, we only need to inherit MessageToByteEncoder (which implements the ChannelOutboundHandler interface), which is essentially a ChannelHandler. Some encoders implemented in Netty are as follows:

  1. 1 ObjectEncoder encodes the object (needs to implement the Serializable interface) into a byte stream
  2. 2 SocksMessageEncoder encodes SocksMessage into a byte stream
  3. 3 HAProxyMessageEncoder encodes HAProxyMessage into a byte stream

Netty also provides MessageToMessageEncoder, an encoder that converts one format to another, and also provides some implementations:

  1. 1 RedisEncoder encodes the object of Redis protocol
  2. 2 StringEncoder encodes the string
  3. 3 Base64Encoder Encodes the Base64 string

1.3.2 Encoding Integer type as bytes for transmission (example)

1. Custom encoder

  1. package com.haopt.netty.codec.client;
  2. import io.netty.buffer.ByteBuf;
  3. import io.netty.channel.ChannelHandlerContext;
  4. import io.netty.handler.codec.MessageToByteEncoder;
  5. public class IntegerToByteEncoder extends MessageToByteEncoder <Integer> {
  6. @Override
  7. protected void encode(ChannelHandlerContext ctx, Integer msg, ByteBuf out ) throws Exception {
  8. out .writeInt(msg);
  9. }
  10. }

2. Handler

  1. package com.haopt.netty.codec.client;
  2. import io.netty.buffer.ByteBuf;
  3. import io.netty.buffer.Unpooled;
  4. import io.netty.channel.ChannelHandlerContext;
  5. import io.netty.channel.SimpleChannelInboundHandler;
  6. import io.netty.util.CharsetUtil;
  7. public class ClientHandler extends SimpleChannelInboundHandler<ByteBuf> {
  8. @Override
  9. protected void channelRead0(ChannelHandlerContext ctx, ByteBuf msg) throws Exception {
  10. System.out.println ( "Received message from server: " +
  11. msg.toString(CharsetUtil.UTF_8));
  12. }
  13. @Override
  14. public void channelActive(ChannelHandlerContext ctx) throws Exception {
  15. ctx.writeAndFlush(123);
  16. }
  17. @Override
  18. public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) throws Exception {
  19. cause.printStackTrace();
  20. ctx.close ();
  21. }
  22. }

3. Pipeline

  1. @Override
  2. protected void initChannel(SocketChannel ch) throws Exception {
  3. ch.pipeline().addLast(new IntegerToByteEncoder());
  4. ch.pipeline().addLast(new ClientHandler());
  5. }

2. Developing the Http Server

Use the http decoder provided in Netty to develop the http server. It is recommended to copy the code and execute it to see the effect.

4 2.1 Netty Configuration

1. server

  1. package com.haopt.netty.codec.http;
  2. import io.netty.bootstrap.ServerBootstrap;
  3. import io.netty.channel.ChannelFuture;
  4. import io.netty.channel.ChannelInitializer;
  5. import io.netty.channel.EventLoopGroup;
  6. import io.netty.channel.nio.NioEventLoopGroup;
  7. import io.netty.channel.socket.SocketChannel;
  8. import io.netty.channel.socket.nio.NioServerSocketChannel;
  9. import io.netty.handler.codec.http.HttpObjectAggregator;
  10. import io.netty.handler.codec.http.HttpRequestDecoder;
  11. import io.netty.handler.codec.http.HttpResponseEncoder;
  12. import io.netty.handler.stream.ChunkedWriteHandler;
  13. public class NettyHttpServer {
  14. public   static void main(String[] args) throws Exception {
  15. // Main thread, does not process any business logic, just receives client connection requests
  16. EventLoopGroup boss = new NioEventLoopGroup(1);
  17. //Working thread, the default number of threads is: cpu*2
  18. EventLoopGroup worker = new NioEventLoopGroup();
  19. try {
  20. //Server startup class
  21. ServerBootstrap serverBootstrap = new ServerBootstrap();
  22. serverBootstrap.group (boss, worker) ;
  23. //Configure server channel
  24. serverBootstrap.channel(NioServerSocketChannel.class);
  25. serverBootstrap.childHandler(new ChannelInitializer<SocketChannel>() {
  26. @Override
  27. protected void initChannel(SocketChannel ch) throws Exception {
  28. ch.pipeline()
  29. //Decoder for http request
  30. // Aggregate the uri and request body in the http request into a complete FullHttpRequest object
  31. .addLast(new HttpRequestDecoder())
  32. .addLast(new HttpObjectAggregator(1024 * 128))
  33. .addLast(new HttpResponseEncoder()) //http response encoder
  34. .addLast(new ChunkedWriteHandler()) //Support asynchronous large file transfer to prevent memory overflow
  35. .addLast(new ServerHandler());
  36. }
  37. }); //Worker thread processor
  38. ChannelFuture future = serverBootstrap.bind(8080).sync();
  39. System. out .println( "Server startup completed..." );
  40. //Wait for the server listening port to close
  41. future.channel().closeFuture().sync();
  42. finally
  43. //Elegant shutdown
  44. boss.shutdownGracefully();
  45. worker.shutdownGracefully();
  46. }
  47. }
  48. }

2. ServerHandler

  1. package com.haopt.netty.codec.http;
  2. import io.netty.buffer.Unpooled;
  3. import io.netty.channel.ChannelFutureListener;
  4. import io.netty.channel.ChannelHandlerContext;
  5. import io.netty.channel.ChannelInboundHandlerAdapter;
  6. import io.netty.channel.SimpleChannelInboundHandler;
  7. import io.netty.handler.codec.http.*;
  8. import io.netty.util.CharsetUtil;
  9. import java.util.Map;
  10. public class ServerHandler extends SimpleChannelInboundHandler<FullHttpRequest>{
  11. @Override
  12. public void channelRead0(ChannelHandlerContext ctx, FullHttpRequest request) throws Exception {
  13. //Parse FullHttpRequest and get the request parameters
  14. Map<String, String> paramMap = new RequestParser(request).parse();
  15. String name = paramMap.get( "name" );
  16. //Construct the response object
  17. FullHttpResponse httpResponse = new DefaultFullHttpResponse(HttpVersion.HTTP_1_1, HttpResponseStatus.OK);
  18. httpResponse.headers(). set (HttpHeaderNames.CONTENT_TYPE, "text/html;charset=utf-8" );
  19. StringBuilder sb = new StringBuilder();
  20. sb.append( "<h1>" );
  21. sb.append( "Hello," + name );
  22. sb.append( "</h1>" );
  23. httpResponse.content().writeBytes(Unpooled.copiedBuffer(sb,CharsetUtil.UTF_8));
  24. //After the operation is completed, close the channel
  25. ctx.writeAndFlush(httpResponse).addListener( ChannelFutureListener.CLOSE );
  26. }
  27. }

3. RequestParser

  1. package com.haopt.netty.codec.http;
  2. import io.netty.handler.codec.http.FullHttpRequest;
  3. import io.netty.handler.codec.http.HttpMethod;
  4. import io.netty.handler.codec.http.QueryStringDecoder;
  5. import io.netty.handler.codec.http.multipart.Attribute;
  6. import io.netty.handler.codec.http.multipart.HttpPostRequestDecoder;
  7. import io.netty.handler.codec.http.multipart.InterfaceHttpData;
  8. import java.io.IOException;
  9. import java.util.HashMap;
  10. import java.util.List;
  11. import java.util.Map;
  12. /**
  13. * HTTP request parameter parser, supports GET, POST
  14. */
  15. public class RequestParser {
  16. private FullHttpRequest fullReq;
  17. /**
  18. * Construct a parser
  19. * @param req
  20. */
  21. public RequestParser(FullHttpRequest req) {
  22. this.fullReq = req;
  23. }
  24. /**
  25. * Parse request parameters
  26. * @return contains the key-value pairs of all request parameters. If there are no parameters, an empty Map is returned.
  27. *
  28. * @throws IOException
  29. */
  30. public Map<String, String> parse() throws Exception {
  31. HttpMethod method = fullReq.method();
  32. Map<String, String> parmMap = new HashMap<>();
  33. if (HttpMethod.GET == method) {
  34. // is a GET request
  35. QueryStringDecoder decoder = new QueryStringDecoder(fullReq.uri());
  36. decoder.parameters().entrySet().forEach( entry -> {
  37. // entry.getValue() is a List, only the first element is taken
  38. parmMap.put(entry.getKey(), entry.getValue().get(0));
  39. });
  40. } else if (HttpMethod.POST == method) {
  41. // is a POST request
  42. HttpPostRequestDecoder decoder = new
  43. HttpPostRequestDecoder(fullReq);
  44. decoder.offer(fullReq);
  45. List<InterfaceHttpData> parmList = decoder.getBodyHttpDatas();
  46. for (InterfaceHttpData parm : parmList) {
  47. Attribute data = (Attribute) parm;
  48. parmMap.put(data.getName(), data.getValue());
  49. }
  50. } else {
  51. // Other methods are not supported
  52. throw new RuntimeException( "Other methods are not supported" ); // You can use custom exceptions instead
  53. }
  54. return parmMap;
  55. }
  56. }

4. Object

  1. package com.haopt.netty.codec.obj;
  2. public class User implements java.io. Serializable {
  3. private static final long serialVersionUID = -89217070354741790L;
  4. private Long id;
  5. private String name ;
  6. private Integer age;
  7. public Long getId() {
  8. return id;
  9. }
  10. public void setId(Long id) {
  11. this.id = id;
  12. }
  13. public String getName() {
  14. return   name ;
  15. }
  16. public void setName(String name ) {
  17. this.name = name ;
  18. }
  19. public   Integer getAge() {
  20. return age;
  21. }
  22. public void setAge( Integer age) {
  23. this.age = age;
  24. }
  25. @Override
  26. public String toString() {
  27. return   "User{" +
  28. "id=" + id +
  29. ", name='" + name + '\ '' +
  30. ", age=" + age +
  31. '}' ;
  32. }
  33. }

5 2.2 Server

1. NettyObjectServer

  1. package com.haopt.netty.codec.obj;
  2. import io.netty.bootstrap.ServerBootstrap;
  3. import io.netty.channel.ChannelFuture;
  4. import io.netty.channel.ChannelInitializer;
  5. import io.netty.channel.EventLoopGroup;
  6. import io.netty.channel.nio.NioEventLoopGroup;
  7. import io.netty.channel.socket.SocketChannel;
  8. import io.netty.channel.socket.nio.NioServerSocketChannel;
  9. import io.netty.handler.codec.serialization.ClassResolvers;
  10. import io.netty.handler.codec.serialization.ObjectDecoder;
  11. public class NettyObjectServer {
  12. public   static void main(String[] args) throws Exception {
  13. // Main thread, does not process any business logic, just receives client connection requests
  14. EventLoopGroup boss = new NioEventLoopGroup(1);
  15. //Working thread, the default number of threads is: cpu*2
  16. EventLoopGroup worker = new NioEventLoopGroup();
  17. try {
  18. //Server startup class
  19. ServerBootstrap serverBootstrap = new ServerBootstrap();
  20. serverBootstrap.group (boss, worker) ;
  21. //Configure server channel
  22. serverBootstrap.channel(NioServerSocketChannel.class);
  23. serverBootstrap.childHandler(new ChannelInitializer<SocketChannel> () {
  24. @Override
  25. protected void initChannel(SocketChannel ch) throws Exception {
  26. ch.pipeline()
  27. .addLast(new ObjectDecoder(ClassResolvers.weakCachingResolver(
  28. this.getClass().getClassLoader()
  29. )))
  30. .addLast(new ServerHandler());
  31. }
  32. }); //Worker thread processor
  33. ChannelFuture future = serverBootstrap.bind(6677).sync();
  34. System. out .println( "Server startup completed..." );
  35. //Wait for the server listening port to close
  36. future.channel().closeFuture().sync();
  37. finally
  38. //Elegant shutdown
  39. boss.shutdownGracefully();
  40. worker.shutdownGracefully();
  41. }
  42. }
  43. }

2. ServerHandler

  1. package com.haopt.netty.codec.obj;
  2. import io.netty.buffer.Unpooled;
  3. import io.netty.channel.ChannelHandlerContext;
  4. import io.netty.channel.SimpleChannelInboundHandler;
  5. import io.netty.util.CharsetUtil;
  6. public class ServerHandler extends SimpleChannelInboundHandler< User > {
  7. @Override
  8. public void channelRead0(ChannelHandlerContext ctx, User   user ) throws Exception {
  9. //Get the user object
  10. System.out .println ( user );
  11. ctx.writeAndFlush(Unpooled.copiedBuffer( "ok" , CharsetUtil.UTF_8));
  12. }
  13. }

6 2.3 Client

1. NettyObjectClient

  1. package com.haopt.netty.codec.obj;
  2. import io.netty.bootstrap.Bootstrap;
  3. import io.netty.channel.ChannelFuture;
  4. import io.netty.channel.ChannelInitializer;
  5. import io.netty.channel.EventLoopGroup;
  6. import io.netty.channel.nio.NioEventLoopGroup;
  7. import io.netty.channel.socket.SocketChannel;
  8. import io.netty.channel.socket.nio.NioSocketChannel;
  9. import io.netty.handler.codec.serialization.ObjectEncoder;
  10. public class NettyObjectClient {
  11. public   static void main(String[] args) throws Exception{
  12. EventLoopGroup worker = new NioEventLoopGroup();
  13. try {
  14. //Server startup class
  15. Bootstrap bootstrap = new Bootstrap();
  16. bootstrap.group (worker);
  17. bootstrap.channel(NioSocketChannel.class);
  18. bootstrap.handler(new ChannelInitializer<SocketChannel>() {
  19. @Override
  20. protected void initChannel(SocketChannel ch) throws Exception {
  21. ch.pipeline().addLast(new ObjectEncoder());
  22. ch.pipeline().addLast(new ClientHandler());
  23. }
  24. });
  25. ChannelFuture future = bootstrap.connect ( "127.0.0.1" , 6677).sync();
  26. future.channel().closeFuture().sync();
  27. finally
  28. worker.shutdownGracefully();
  29. }
  30. }
  31. }

2. ClientHandler

  1. package com.haopt.netty.codec.obj;
  2. import io.netty.buffer.ByteBuf;
  3. import io.netty.channel.ChannelHandlerContext;
  4. import io.netty.channel.SimpleChannelInboundHandler;
  5. import io.netty.util.CharsetUtil;
  6. public class ClientHandler extends SimpleChannelInboundHandler<ByteBuf> {
  7. @Override
  8. protected void channelRead0(ChannelHandlerContext ctx, ByteBuf msg) throws Exception {
  9. System.out.println ( "Received message from server: " +
  10. msg.toString(CharsetUtil.UTF_8));
  11. }
  12. @Override
  13. public void channelActive(ChannelHandlerContext ctx) throws Exception {
  14. User   user = new User ();
  15. user .setId(1L);
  16. user .setName( "张三" );
  17. user .setAge(20);
  18. ctx.writeAndFlush( user );
  19. }
  20. @Override
  21. public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) throws Exception {
  22. cause.printStackTrace();
  23. ctx.close ();
  24. }
  25. }

7 2.4 JDK serialization optimization

JDK serialization is relatively convenient to use, but its performance is poor and the bytes after serialization are relatively large. Therefore, generally, the built-in serialization is not used in the project, but the third-party serialization framework Hessian codec is used.

1. Import dependencies

  1. <dependency>
  2. <groupId>com.caucho</groupId>
  3. <artifactId>hessian</artifactId>
  4. <version>4.0.63</version>
  5. </dependency>

2. User object

  1. package com.haopt.netty.codec.hessian;
  2. public class User implements java.io. Serializable {
  3. private static final long serialVersionUID = -8200798627910162221L;
  4. private Long id;
  5. private String name ;
  6. private Integer age;
  7. public Long getId() {
  8. return id;
  9. }
  10. public void setId(Long id) {
  11. this.id = id;
  12. }
  13. public String getName() {
  14. return   name ;
  15. }
  16. public void setName(String name ) {
  17. this.name = name ;
  18. }
  19. public   Integer getAge() {
  20. return age;
  21. }
  22. public void setAge( Integer age) {
  23. this.age = age;
  24. }
  25. @Override
  26. public String toString() {
  27. return   "User{" +
  28. "id=" + id +
  29. ", name='" + name + '\ '' +
  30. ", age=" + age +
  31. '}' ;
  32. }
  33. }

3. Hessian serialization tool class

  1. package com.haopt.netty.codec.hessian.codec;
  2. import com.caucho.hessian.io.HessianInput;
  3. import com.caucho.hessian.io.HessianOutput;
  4. import java.io.ByteArrayInputStream;
  5. import java.io.ByteArrayOutputStream;
  6. import java.io.IOException;
  7. /**
  8. * Hessian serialization tool class
  9. *
  10. */
  11. public class HessianSerializer {
  12. public <T> byte[] serialize(T obj) {
  13. ByteArrayOutputStream os = new ByteArrayOutputStream();
  14. HessianOutput ho = new HessianOutput(os);
  15. try {
  16. ho.writeObject(obj);
  17. ho.flush();
  18. return os.toByteArray();
  19. } catch (IOException e) {
  20. throw new RuntimeException(e);
  21. finally
  22. try {
  23. ho.close ();
  24. } catch (IOException e) {
  25. throw new RuntimeException(e);
  26. }
  27. try {
  28. os.close ();
  29. } catch (IOException e) {
  30. throw new RuntimeException(e);
  31. }
  32. }
  33. }
  34.       
  35. public <T> Object deserialize(byte[] bytes, Class<T> clazz) {
  36. ByteArrayInputStream is = new ByteArrayInputStream(bytes);
  37. HessianInput hi = new HessianInput( is );
  38. try {
  39. return (T) hi.readObject(clazz);
  40. } catch (IOException e) {
  41. throw new RuntimeException(e);
  42. finally
  43. try {
  44. hi.close ();
  45. } catch (Exception e) {
  46. throw new RuntimeException(e);
  47. }
  48. try {
  49. is . close ();
  50. } catch (IOException e) {
  51. throw new RuntimeException(e);
  52. }
  53. }
  54. }
  55. }

4. Encoder

  1. package com.haopt.netty.codec.hessian.codec;
  2. import cn.itcast.netty.coder.hessian.User ;
  3. import io.netty.buffer.ByteBuf;
  4. import io.netty.channel.ChannelHandlerContext;
  5. import io.netty.handler.codec.MessageToByteEncoder;
  6. public class HessianEncoder extends MessageToByteEncoder< User > {
  7. private HessianSerializer hessianSerializer = new HessianSerializer();
  8. protected void encode(ChannelHandlerContext ctx, User msg, ByteBuf out ) throws Exception {
  9. byte[] bytes = hessianSerializer.serialize(msg);
  10. out .writeBytes(bytes);
  11. }
  12. }

5. Decoder

  1. public class HessianDecoder extends ByteToMessageDecoder {
  2. private HessianSerializer hessianSerializer = new HessianSerializer();
  3.  
  4. protected void decode(ChannelHandlerContext ctx, ByteBuf in , List<Object>
  5. out ) throws Exception {
  6. //Copy a copy of ByteBuf data, light copy, not full copy
  7. //Avoid exceptions: did not   read anything but decoded a message
  8. //Netty detects that no bytes have been read and throws this exception
  9. ByteBuf in2 = in .retainedDuplicate();
  10. byte[] dst;
  11. if (in2.hasArray()) {//Heap buffer mode
  12. dst = in2.array();
  13. } else {
  14. dst = new byte[in2.readableBytes()];
  15. in2.getBytes(in2.readerIndex(), dst);
  16. }
  17. //Skip all bytes, indicating that they have been read
  18. in .skipBytes( in .readableBytes());
  19. //Deserialization
  20. Object obj = hessianSerializer.deserialize(dst, User .class);
  21. out . add ( obj );
  22. }
  23. }

6. Server

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

  1. public class ServerHandler extends SimpleChannelInboundHandler< User > {
  2. @Override
  3. public void channelRead0(ChannelHandlerContext ctx, User   user ) throws
  4. Exception {
  5. //Get the user object
  6. System.out .println ( user );
  7. ctx.writeAndFlush(Unpooled.copiedBuffer( "ok" , CharsetUtil.UTF_8));
  8. }
  9. }

7. Client (Configuration)

  1. public class NettyHessianClient {
  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 HessianEncoder());
  13. ch.pipeline().addLast(new ClientHandler());
  14. }
  15. });
  16. ChannelFuture future = bootstrap.connect ( "127.0.0.1" , 6677).sync();
  17. future.channel().closeFuture().sync();
  18. finally
  19. worker.shutdownGracefully();
  20. }
  21. }
  22. }

  1. public class ClientHandler extends SimpleChannelInboundHandler<ByteBuf> {
  2. @Override
  3. protected void channelRead0(ChannelHandlerContext ctx, ByteBuf msg) throws
  4. Exception {
  5. System.out.println ( "Received message from server: " +
  6. msg.toString(CharsetUtil.UTF_8));
  7. }
  8.  
  9. @Override
  10. public void channelActive(ChannelHandlerContext ctx) throws Exception {
  11. User   user = new User ();
  12. user .setId(1L);
  13. user .setName( "张三" );
  14. user .setAge(20);
  15. ctx.writeAndFlush( user );
  16. }
  17.  
  18. @Override
  19. public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause)
  20. throws Exception {
  21. cause.printStackTrace();
  22. ctx.close ();
  23. }
  24. }

This article introduces what encoders and decoders are, and also describes how to use encoders and decoders in actual combat. I hope it will be helpful. Are the encoders and decoders mentioned in the beginning similar to the intelligence information exchange? In my opinion, they are similar. The sender encrypts the information he understands according to certain rules. The information received by the receiver is encrypted data, which needs to be decrypted according to the rules before it can be understood. When our client sends data, it needs to convert the data in the program into a binary stream to send. When the server receives the data, it needs to convert the binary stream into a data type that the program can operate.

<<:  2020 China Computer Education Conference: Building a University Computing Talent Ecosystem with an “Intelligent Base”

>>:  WeChat's biggest competitor is coming! The three major operators are all working on 5G, and news is coming soon

Recommend

...

From the road to practice, Huawei is on the top of the storm

At present, all industries are accelerating into ...

If I have an unlimited data plan, should I cancel my home wired broadband?

In fact, if it is a truly unlimited data package,...

AlexHost: Moldova unlimited VPS from 11.88 EUR/year

I received a message from AlexHost, a foreign hos...

Discussion on SD-WAN and IP Network Evolution

[[206217]] SD-WAN Today For most enterprises, IT ...

Let’s talk seriously about what is a fiber optic terminal box?

When it comes to network cabling, outdoor connect...

5G services market expected to exceed $919.4 billion by 2031

According to a recent report by Transparency Mark...

GSMA: Global 5G connections will reach 1.8 billion by 2025

According to a new study from GSMA, global 5G con...

The Promise of the Open Web: Is It Really Delivered?

Open network switches began to emerge in 2013, cl...

Spiderpool: How to solve the problem of zombie IP recycling

In the Underlay network, how to recycle zombie IP...