Netty4.0学习笔记系列之三:构建简单的http服务(转)

http://blog.csdn.net/u013252773/article/details/21254257

本文主要介绍如何通过Netty构建一个简单的http服务。

想要实现的目的是:

1、Client向Server发送http请求。

2、Server端对http请求进行解析。

3、Server端向client发送http响应。

4、Client对http响应进行解析。

在该实例中,会涉及到http请求的编码、解码,http响应的编码、解码,幸运的是,Netty已经为我们提供了这些工具,整个实例的逻辑图如下所示:

其中红色框中的4个类是Netty提供的,它们其实也是一种Handler,其中Encoder继承自ChannelOutboundHandler,Decoder继承自ChannelInboundHandler,它们的作用是:

1、HttpRequestEncoder:对httpRequest进行编码。

2、HttpRequestDecoder:把流数据解析为httpRequest。

3、HttpResponsetEncoder:对httpResponset进行编码。

4、HttpResponseEncoder:把流数据解析为httpResponse。

该实例涉及到的类有5个:HttpServer HttpServerInboundHandler HttpClient HttpClientInboundHandler ByteBufToBytes

1、HttpServer 启动http服务器

[java] view plaincopy

  1. package com.guowl.testhttpprotocol;
  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. import io.netty.handler.codec.http.HttpRequestDecoder;
  11. import io.netty.handler.codec.http.HttpResponseEncoder;
  12. public class HttpServer {
  13. public void start(int port) throws Exception {
  14. EventLoopGroup bossGroup = new NioEventLoopGroup(); // (1)
  15. EventLoopGroup workerGroup = new NioEventLoopGroup();
  16. try {
  17. ServerBootstrap b = new ServerBootstrap(); // (2)
  18. b.group(bossGroup, workerGroup).channel(NioServerSocketChannel.class) // (3)
  19. .childHandler(new ChannelInitializer<SocketChannel>() { // (4)
  20. @Override
  21. public void initChannel(SocketChannel ch) throws Exception {
  22. // server端发送的是httpResponse,所以要使用HttpResponseEncoder进行编码
  23. ch.pipeline().addLast(new HttpResponseEncoder());
  24. // server端接收到的是httpRequest,所以要使用HttpRequestDecoder进行解码
  25. ch.pipeline().addLast(new HttpRequestDecoder());
  26. ch.pipeline().addLast(new HttpServerInboundHandler());
  27. }
  28. }).option(ChannelOption.SO_BACKLOG, 128) // (5)
  29. .childOption(ChannelOption.SO_KEEPALIVE, true); // (6)
  30. ChannelFuture f = b.bind(port).sync(); // (7)
  31. f.channel().closeFuture().sync();
  32. } finally {
  33. workerGroup.shutdownGracefully();
  34. bossGroup.shutdownGracefully();
  35. }
  36. }
  37. public static void main(String[] args) throws Exception {
  38. HttpServer server = new HttpServer();
  39. server.start(8000);
  40. }
  41. }

2、HttpServerInboundHandler 解析客户端的请求,并进行响应

[java] view plaincopy

  1. package com.guowl.testhttpprotocol;
  2. import static io.netty.handler.codec.http.HttpHeaders.Names.CONNECTION;
  3. import static io.netty.handler.codec.http.HttpHeaders.Names.CONTENT_LENGTH;
  4. import static io.netty.handler.codec.http.HttpHeaders.Names.CONTENT_TYPE;
  5. import static io.netty.handler.codec.http.HttpResponseStatus.OK;
  6. import static io.netty.handler.codec.http.HttpVersion.HTTP_1_1;
  7. import io.netty.buffer.ByteBuf;
  8. import io.netty.buffer.Unpooled;
  9. import io.netty.channel.ChannelHandlerContext;
  10. import io.netty.channel.ChannelInboundHandlerAdapter;
  11. import io.netty.handler.codec.http.DefaultFullHttpResponse;
  12. import io.netty.handler.codec.http.FullHttpResponse;
  13. import io.netty.handler.codec.http.HttpContent;
  14. import io.netty.handler.codec.http.HttpHeaders;
  15. import io.netty.handler.codec.http.HttpHeaders.Values;
  16. import io.netty.handler.codec.http.HttpRequest;
  17. import org.slf4j.Logger;
  18. import org.slf4j.LoggerFactory;
  19. import com.guowl.utils.ByteBufToBytes;
  20. public class HttpServerInboundHandler extends ChannelInboundHandlerAdapter {
  21. private static Logger   logger  = LoggerFactory.getLogger(HttpServerInboundHandler.class);
  22. private ByteBufToBytes reader;
  23. @Override
  24. public void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception {
  25. if (msg instanceof HttpRequest) {
  26. HttpRequest request = (HttpRequest) msg;
  27. System.out.println("messageType:" + request.headers().get("messageType"));
  28. System.out.println("businessType:" + request.headers().get("businessType"));
  29. if (HttpHeaders.isContentLengthSet(request)) {
  30. reader = new ByteBufToBytes((int) HttpHeaders.getContentLength(request));
  31. }
  32. }
  33. if (msg instanceof HttpContent) {
  34. HttpContent httpContent = (HttpContent) msg;
  35. ByteBuf content = httpContent.content();
  36. reader.reading(content);
  37. content.release();
  38. if (reader.isEnd()) {
  39. String resultStr = new String(reader.readFull());
  40. System.out.println("Client said:" + resultStr);
  41. FullHttpResponse response = new DefaultFullHttpResponse(HTTP_1_1, OK, Unpooled.wrappedBuffer("I am ok"
  42. .getBytes()));
  43. response.headers().set(CONTENT_TYPE, "text/plain");
  44. response.headers().set(CONTENT_LENGTH, response.content().readableBytes());
  45. response.headers().set(CONNECTION, Values.KEEP_ALIVE);
  46. ctx.write(response);
  47. ctx.flush();
  48. }
  49. }
  50. }
  51. @Override
  52. public void channelReadComplete(ChannelHandlerContext ctx) throws Exception {
  53. logger.info("HttpServerInboundHandler.channelReadComplete");
  54. ctx.flush();
  55. }
  56. }

3、HttpClient 向服务器发送请求

[java] view plaincopy

  1. package com.guowl.testhttpprotocol;
  2. import io.netty.bootstrap.Bootstrap;
  3. import io.netty.buffer.Unpooled;
  4. import io.netty.channel.ChannelFuture;
  5. import io.netty.channel.ChannelInitializer;
  6. import io.netty.channel.ChannelOption;
  7. import io.netty.channel.EventLoopGroup;
  8. import io.netty.channel.nio.NioEventLoopGroup;
  9. import io.netty.channel.socket.SocketChannel;
  10. import io.netty.channel.socket.nio.NioSocketChannel;
  11. import io.netty.handler.codec.http.DefaultFullHttpRequest;
  12. import io.netty.handler.codec.http.HttpHeaders;
  13. import io.netty.handler.codec.http.HttpMethod;
  14. import io.netty.handler.codec.http.HttpRequestEncoder;
  15. import io.netty.handler.codec.http.HttpResponseDecoder;
  16. import io.netty.handler.codec.http.HttpVersion;
  17. import java.net.URI;
  18. public class HttpClient {
  19. public void connect(String host, int port) throws Exception {
  20. EventLoopGroup workerGroup = new NioEventLoopGroup();
  21. try {
  22. Bootstrap b = new Bootstrap(); // (1)
  23. b.group(workerGroup); // (2)
  24. b.channel(NioSocketChannel.class); // (3)
  25. b.option(ChannelOption.SO_KEEPALIVE, true); // (4)
  26. b.handler(new ChannelInitializer<SocketChannel>() {
  27. @Override
  28. public void initChannel(SocketChannel ch) throws Exception {
  29. // 客户端接收到的是httpResponse响应,所以要使用HttpResponseDecoder进行解码
  30. ch.pipeline().addLast(new HttpResponseDecoder());
  31. // 客户端发送的是httprequest,所以要使用HttpRequestEncoder进行编码
  32. ch.pipeline().addLast(new HttpRequestEncoder());
  33. ch.pipeline().addLast(new HttpClientInboundHandler());
  34. }
  35. });
  36. // Start the client.
  37. ChannelFuture f = b.connect(host, port).sync(); // (5)
  38. URI uri = new URI("http://127.0.0.1:8000");
  39. String msg = "Are you ok?";
  40. DefaultFullHttpRequest request = new DefaultFullHttpRequest(HttpVersion.HTTP_1_1, HttpMethod.POST,
  41. uri.toASCIIString(), Unpooled.wrappedBuffer(msg.getBytes()));
  42. // 构建http请求
  43. request.headers().set(HttpHeaders.Names.HOST, host);
  44. request.headers().set(HttpHeaders.Names.CONNECTION, HttpHeaders.Values.KEEP_ALIVE);
  45. request.headers().set(HttpHeaders.Names.CONTENT_LENGTH, request.content().readableBytes());
  46. request.headers().set("messageType", "normal");
  47. request.headers().set("businessType", "testServerState");
  48. // 发送http请求
  49. f.channel().write(request);
  50. f.channel().flush();
  51. f.channel().closeFuture().sync();
  52. } finally {
  53. workerGroup.shutdownGracefully();
  54. }
  55. }
  56. public static void main(String[] args) throws Exception {
  57. HttpClient client = new HttpClient();
  58. client.connect("127.0.0.1", 8000);
  59. }
  60. }

4、HttpClientInboundHandler 对服务器的响应进行读取

[java] view plaincopy

  1. package com.guowl.testhttpprotocol;
  2. import io.netty.buffer.ByteBuf;
  3. import io.netty.channel.ChannelHandlerContext;
  4. import io.netty.channel.ChannelInboundHandlerAdapter;
  5. import io.netty.handler.codec.http.HttpContent;
  6. import io.netty.handler.codec.http.HttpHeaders;
  7. import io.netty.handler.codec.http.HttpResponse;
  8. import com.guowl.utils.ByteBufToBytes;
  9. public class HttpClientInboundHandler extends ChannelInboundHandlerAdapter {
  10. private ByteBufToBytes reader;
  11. @Override
  12. public void channelRead(ChannelHandlerContext ctx, Object msg) throws Exception {
  13. if (msg instanceof HttpResponse) {
  14. HttpResponse response = (HttpResponse) msg;
  15. System.out.println("CONTENT_TYPE:" + response.headers().get(HttpHeaders.Names.CONTENT_TYPE));
  16. if (HttpHeaders.isContentLengthSet(response)) {
  17. reader = new ByteBufToBytes((int) HttpHeaders.getContentLength(response));
  18. }
  19. }
  20. if (msg instanceof HttpContent) {
  21. HttpContent httpContent = (HttpContent) msg;
  22. ByteBuf content = httpContent.content();
  23. reader.reading(content);
  24. content.release();
  25. if (reader.isEnd()) {
  26. String resultStr = new String(reader.readFull());
  27. System.out.println("Server said:" + resultStr);
  28. ctx.close();
  29. }
  30. }
  31. }
  32. }

5、ByteBufToBytes 读取NIO的工具类,可以一次性把ByteBuf的数据读取出来,也可以把多次ByteBuf中的数据统一读取出来。

[java] view plaincopy

  1. package com.guowl.utils;
  2. import io.netty.buffer.ByteBuf;
  3. import io.netty.buffer.Unpooled;
  4. public class ByteBufToBytes {
  5. private ByteBuf temp;
  6. private boolean end = true;
  7. public ByteBufToBytes(int length) {
  8. temp = Unpooled.buffer(length);
  9. }
  10. public void reading(ByteBuf datas) {
  11. datas.readBytes(temp, datas.readableBytes());
  12. if (this.temp.writableBytes() != 0) {
  13. end = false;
  14. } else {
  15. end = true;
  16. }
  17. }
  18. public boolean isEnd() {
  19. return end;
  20. }
  21. public byte[] readFull() {
  22. if (end) {
  23. byte[] contentByte = new byte[this.temp.readableBytes()];
  24. this.temp.readBytes(contentByte);
  25. this.temp.release();
  26. return contentByte;
  27. } else {
  28. return null;
  29. }
  30. }
  31. public byte[] read(ByteBuf datas) {
  32. byte[] bytes = new byte[datas.readableBytes()];
  33. datas.readBytes(bytes);
  34. return bytes;
  35. }
  36. }

注意事项:

1、可以通过在Netty的Chanel中发送HttpRequest对象,完成发送http请求的要求,同时可以对HttpHeader进行设置。

2、可以通过HttpResponse发送http响应,同时可以对HttpHeader进行设置。

3、上面涉及到的http对象都是Netty自己封装的,不是标准的。

时间: 2024-09-30 03:45:59

Netty4.0学习笔记系列之三:构建简单的http服务(转)的相关文章

Netty4.0学习笔记系列之六:多种通讯协议支持

上文介绍了如何应用Netty开发自定义通讯协议,本文在此基础上进一步深化,研究如何同时支持不同的通讯协议. 此处所谓的通讯协议,指的是把Netty通讯管道中的二进制流转换为对象.把对象转换成二进制流的过程.转换过程追根究底还是ChannelInboundHandler.ChannelOutboundHandler的实现类在进行处理.ChannelInboundHandler负责把二进制流转换为对象,ChannelOutboundHandler负责把对象转换为二进制流. 接下来要构建一个Serve

Netty4.0学习笔记系列之二:Handler的执行顺序(转)

http://blog.csdn.net/u013252773/article/details/21195593 Handler在netty中,无疑占据着非常重要的地位.Handler与Servlet中的filter很像,通过Handler可以完成通讯报文的解码编码.拦截指定的报文.统一对日志错误进行处理.统一对请求进行计数.控制Handler执行与否.一句话,没有它做不到的只有你想不到的. Netty中的所有handler都实现自ChannelHandler接口.按照输出输出来分,分为Chan

WebService学习笔记系列(二)

soap(简单对象访问协议),它是在http基础之上传递xml格式数据的协议.soap协议分为两个版本,soap1.1和soap1.2. 在学习webservice时我们有一个必备工具叫做tcpmon,该工具可以直接下载得到.使用tcpmon可以嗅探网络中传输的数据,便于我们更好的理解soap协议. 下载好tcpmon之后,打开该软件,如图简单设置 tcpmon相当于一个代理服务器,打开tcpmon后,如果把监听端口设置为9999,目标端口设置为8888,当用户访问9999端口时,消息会被tcp

mongodb学习笔记系列一

一.简介和安装 ./bin/mongod --dbpath /path/to/database --logpath /path/to/log --fork --port 27017 mongodb非常的占磁盘空间, 刚启动后要占3-4G左右,--smallfiles 二.基本命令 1.登录mongodb client /use/local/mongo 2.查看当前数据库 show databases; show dbs; 两个可能 3.admin是和管理有关的库,local 是放schema有关

系列文章--Node.js学习笔记系列

Node.js学习笔记系列总索引 Nodejs学习笔记(一)--- 简介及安装Node.js开发环境 Nodejs学习笔记(二)--- 事件模块 Nodejs学习笔记(三)--- 模块 Nodejs学习笔记(四)--- 与MySQL交互(felixge/node-mysql) Nodejs学习笔记(五)--- Express安装入门与模版引擎ejs Nodejs学习笔记(六)--- Node.js + Express 构建网站预备知识 Nodejs学习笔记(七)--- Node.js + Exp

[学习笔记] 应用程序构建内部细节

本文地址: http://blog.csdn.net/sushengmiyan/article/details/38316829 本文作者:sushengmiyan -------------------------------------------------------------资源链接----------------------------------------------------------------------- 翻译来源  Sencha Cmd官方网站:http://do

[转载]SharePoint 2013搜索学习笔记之搜索构架简单概述

Sharepoint搜索引擎主要由6种组件构成,他们分别是爬网组件,内容处理组件,分析处理组件,索引组件,查询处理组件,搜索管理组件.可以将这6种组件分别部署到Sharepoint场内的多个服务器上,组成适合需求的Sharepoint搜索场,搜索场的体系结构设计主要参考量是爬网内容量,微软根据爬网内容量不同将搜索场分为大型场,中型场和小型场,更多详细信息可参考: SharePoint Server 2013 中的搜索概述和在SharePoint Server 2013 中规划企业搜索体系结构.

vsphere学习笔记系列-cluster&amp;resources pool

cluster集群  要实现vmotion.DRS.HA等功能,EXSI主机必须是两台或以上的数量.那怎么判断vmotion等漂移功能在哪些主机执行的呢?这就引出了集群cluster的概念.所有基于vmotion的功能都是在集群内的EXSI主机实现的,VM只会在集群内做漂移. 所有EXSI主机加入集群后,CPU.内存等资源都会池化成集群的资源,由集群分配资源给VM.因此,我们可以看到在集群中,EXSI主机和VM是同等级别的排序,而不像在非集群环境中VM和EXSI是从属关系. 值得注意的是虽然由集

SQLServer学习笔记系列3

一.写在前面的话 今天又是双休啦!生活依然再继续,当你停下来的时候,或许会突然显得不自在.有时候,看到一种东西,你会发现原来在这个社会上,优秀的人很多,默默 吃苦努力奋斗的人也多!星期五早上按时上班,买好早餐,去公司餐厅吃早餐,我遇见了一个人,也许一次两次我还不会去注意,然而我每次在餐厅吃早餐, 都会遇到他,我看到他的是每一次都带着一碗白粥在那里吃,甚至连一点咸菜都没用,或许我这样的单身狗,不能理解有家室的痛楚,也许这是他的一种生活 方式,但我更多的看到的是他的一种吃苦,为了家人,为了将来的一种