DiscardServer.java 2.0 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263
  1. package com.renlianiot.demo;
  2. import io.netty.bootstrap.ServerBootstrap;
  3. import io.netty.channel.ChannelFuture;
  4. import io.netty.channel.ChannelInitializer;
  5. import io.netty.channel.ChannelOption;
  6. import io.netty.channel.EventLoopGroup;
  7. import io.netty.channel.nio.NioEventLoopGroup;
  8. import io.netty.channel.socket.SocketChannel;
  9. import io.netty.channel.socket.nio.NioServerSocketChannel;
  10. /**
  11. * Discards any incoming data.
  12. */
  13. public class DiscardServer {
  14. private int port;
  15. public DiscardServer(int port) {
  16. this.port = port;
  17. }
  18. public void run() throws Exception {
  19. EventLoopGroup bossGroup = new NioEventLoopGroup(); // (1)
  20. EventLoopGroup workerGroup = new NioEventLoopGroup();
  21. try {
  22. ServerBootstrap b = new ServerBootstrap(); // (2)
  23. b.group(bossGroup, workerGroup)
  24. .channel(NioServerSocketChannel.class) // (3)
  25. .childHandler(new ChannelInitializer<SocketChannel>() { // (4)
  26. @Override
  27. public void initChannel(SocketChannel ch) throws Exception {
  28. ch.pipeline().addLast(new DiscardServerHandler());
  29. }
  30. })
  31. .option(ChannelOption.SO_BACKLOG, 128) // (5)
  32. .childOption(ChannelOption.SO_KEEPALIVE, true); // (6)
  33. // Bind and start to accept incoming connections.
  34. ChannelFuture f = b.bind(port).sync(); // (7)
  35. // Wait until the server socket is closed.
  36. // In this example, this does not happen, but you can do that to gracefully
  37. // shut down your server.
  38. f.channel().closeFuture().sync();
  39. } finally {
  40. workerGroup.shutdownGracefully();
  41. bossGroup.shutdownGracefully();
  42. }
  43. }
  44. public static void main(String[] args) throws Exception {
  45. int port;
  46. if (args.length > 0) {
  47. port = Integer.parseInt(args[0]);
  48. } else {
  49. port = 8080;
  50. }
  51. new DiscardServer(port).run();
  52. }
  53. }