EchoServer.java 2.0 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657
  1. package com.renlianiot.demo;
  2. import java.net.InetSocketAddress;
  3. import io.netty.bootstrap.ServerBootstrap;
  4. import io.netty.channel.ChannelFuture;
  5. import io.netty.channel.ChannelInitializer;
  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.ByteToMessageCodec;
  10. import io.netty.handler.codec.ByteToMessageDecoder;
  11. import io.netty.handler.codec.string.StringDecoder;
  12. import io.netty.handler.codec.string.StringEncoder;
  13. public class EchoServer {
  14. private final int port;
  15. public EchoServer(int port) {
  16. this.port = port;
  17. }
  18. public static void main(String[] args) throws Exception {
  19. if (args.length != 1) {
  20. System.err.println(
  21. "Usage: " + EchoServer.class.getSimpleName() +
  22. " <port>");
  23. return;
  24. }
  25. int port = Integer.parseInt(args[0]); //1
  26. new EchoServer(port).start(); //2
  27. }
  28. public void start() throws Exception {
  29. NioEventLoopGroup group = new NioEventLoopGroup(); //3
  30. try {
  31. ServerBootstrap b = new ServerBootstrap();
  32. b.group(group) //4
  33. .channel(NioServerSocketChannel.class) //5
  34. .localAddress(new InetSocketAddress(port)) //6
  35. .childHandler(new ChannelInitializer<SocketChannel>() { //7
  36. @Override
  37. public void initChannel(SocketChannel ch)
  38. throws Exception {
  39. ch.pipeline().addLast(
  40. new EchoServerHandler());
  41. }
  42. });
  43. ChannelFuture f = b.bind().sync(); //8
  44. System.out.println(EchoServer.class.getName() + " started and listen on " + f.channel().localAddress());
  45. f.channel().closeFuture().sync(); //9
  46. } finally {
  47. group.shutdownGracefully().sync(); //10
  48. }
  49. }
  50. }