Netty編寫簡單的Http服務器

HttpServer

public class MyHttpServer {

    public static void main(String[] args) {

        NioEventLoopGroup bossGroup = new NioEventLoopGroup();
        NioEventLoopGroup workGroup = new NioEventLoopGroup();

        try {
            ServerBootstrap serverBootstrap = new ServerBootstrap();
            serverBootstrap.group(bossGroup, workGroup).
                    channel(NioServerSocketChannel.class).
                    childHandler(new MyChannelInitializer());
            ChannelFuture channelFuture = serverBootstrap.bind(8080).sync();
            // 監聽關閉事件
            channelFuture.channel().closeFuture().sync();
        } catch (InterruptedException e) {
            e.printStackTrace();
        } finally {
            bossGroup.shutdownGracefully();
            workGroup.shutdownGracefully();
        }
    }

}

處理器

Http無狀態,每次傳輸完成即斷開
每次瀏覽器刷新,都是新的Handler、Channel、pipeline

public class MyHttpServerHandler extends SimpleChannelInboundHandler<HttpObject> {

    @Override
    protected void channelRead0(ChannelHandlerContext ctx, HttpObject msg) throws Exception {
        if (msg instanceof HttpRequest){
			//Http無狀態,每次傳輸完成即斷開
			// 每次瀏覽器刷新,都是新的Channel、pipeline

            // 根據uri進行過濾
            HttpRequest request = (HttpRequest) msg;
            URI uri = new URI(request.uri());
            if ("/favicon.ico".equals(uri.getPath())){
                System.out.println("瀏覽器請求了favicon,不做響應");
                return;
            }
            System.out.println("--------------------------");
            System.out.println(msg);
            System.out.println(ctx.channel().remoteAddress());
            // 返回信息
            ByteBuf content = Unpooled.copiedBuffer("Hello,World", CharsetUtil.UTF_8);
            FullHttpResponse response = new DefaultFullHttpResponse(HttpVersion.HTTP_1_1, HttpResponseStatus.OK,content);
            response.headers().set(HttpHeaderNames.CONTENT_TYPE,"text/plain");
            response.headers().set(HttpHeaderNames.CONTENT_LENGTH,content.readableBytes());
            ctx.writeAndFlush(response);
        }
    }
}

Channel初始化

public class MyChannelInitializer extends ChannelInitializer<SocketChannel> {

    @Override
    protected void initChannel(SocketChannel ch) throws Exception {
        ch.pipeline().addLast("MyHttpServerCodec",new HttpServerCodec());
        ch.pipeline().addLast("MyHttpServerHandler",new MyHttpServerHandler());
    }

}
發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章