经常会有人问,为什么我没有收到包。为什么半天才收到包。各种问题,却没粘任何代码和日志,让别人无法帮助他分析问题,自己也陷入迷茫。
其实netty自带一个日志记录的Handler,叫LoggingHandler,这个Handler使用netty的日志框架打印日志,而netty默认的日志是java的日志框架java logger,而java的日志框架默认级别是INFO级别,所以需要我们在pipeline中加入此Handler,则可以打印netty的运行日志。
netty3代码如下:
- Executor workerExecutor = Executors.newCachedThreadPool();
- Executor bossExecutor = Executors.newCachedThreadPool();
- ServerBootstrap server = new ServerBootstrap(new NioServerSocketChannelFactory(bossExecutor, workerExecutor));
- server.setPipelineFactory(new ChannelPipelineFactory() {
- @Override
- public ChannelPipeline getPipeline() throws Exception {
- ChannelPipeline p = Channels.pipeline();
- p.addLast("logging", new LoggingHandler(InternalLogLevel.INFO));
- p.addLast("decoder", new Decoder());
- p.addLast("handler", new Netty3Handler());
- return p;
- }
- });
- server.bind(new InetSocketAddress("127.0.0.1", 9999));
打印的日志如下
netty4的代码如下
- ServerBootstrap server = new ServerBootstrap();
- EventLoopGroup parentGroup = new NioEventLoopGroup();
- EventLoopGroup childGroup = new NioEventLoopGroup();
- server.group(parentGroup, childGroup);
- server.channel(NioServerSocketChannel.class);
- server.childHandler(new ChannelInitializer<SocketChannel>() {
- @Override
- protected void initChannel(SocketChannel ch) throws Exception {
- ch.pipeline().addLast(new LoggingHandler(LogLevel.INFO));
- ch.pipeline().addLast(new Decoder());
- ch.pipeline().addLast(new Netty4Handler());
- }
- });
- server.childOption(ChannelOption.SO_KEEPALIVE, true);
- server.bind(new InetSocketAddress("127.0.0.1", 9999)).sync().channel().closeFuture().sync();
netty4服务端打印的日志
(图片中黑色打印是我自己的打印,红色才是netty的打印)
客户端发送的数据均为模拟断包粘包,所以第一个收到的包只有2个字节,而第二个收到的包有10个字节通过粘包处理,最终收到的消息分别为10和20.
这样的日志清楚明了,知道netty什么时候收到了包,什么时候发送了包,更方便自己和他人分析问题的原因。
当然,netty也不是完全使用java 的logger,我们可以设置netty的loggerFactory来使用不同的日志框架。
只需要在netty代码之前执行:
- InternalLoggerFactory.setDefaultFactory(new Log4JLoggerFactory());
即可。netty3和netty4一样
netty 一个很棒的博客 http://www.itstack.org/?post=40
http://www.itstack.org/