返回顶部
首页 > 资讯 > 后端开发 > Python >Java基于Netty实现Httpserver的实战
  • 686
分享到

Java基于Netty实现Httpserver的实战

2024-04-02 19:04:59 686人浏览 安东尼

Python 官方文档:入门教程 => 点击学习

摘要

目录Http协议基础知识Netty的http协议栈基于Netty实现http serverHTTP协议基础知识 HTTP(超文本传输协议,英文:HyperText Transfer

HTTP协议基础知识

HTTP(超文本传输协议,英文:HyperText Transfer Protocol,缩写:HTTP)是基于tcp/IP协议的应用层的协议,常用于分布式、协作式和超媒体信息系统的应用层协议。

http协议的主要特点:
(1)支持CS(客户端/服务器)模式。
(2)使用简单,指定URL并携带必要的参数即可。
(3)灵活。传输非常多类型的数据对象,通过Content-Type指定即可。
(4)无状态。

我们日常浏览器输入一个url,请求服务器就是用的http协议,url的格式如下:

http请求体的组成:

  • 方法
  • uri
  • http版本
  • 参数

请求方法:

  • GET 请求获取Request-URI所标识的资源
  • POST 在Request-URI所标识的资源后附加新的数据
  • HEAD 请求获取由Request-URI所标识的资源的响应消息报头
  • PUT 请求服务器存储一个资源,并用Request-URI作为其标识
  • DELETE 请求服务器删除Request-URI所标识的资源
  • TRACE 请求服务器回送收到的请求信息,主要用于测试或诊断
  • CONNECT 保留将来使用
  • OPTioNS 请求查询服务器的性能,或者查询与资源相关的选项和需求

响应状态码:

  • 1xx InfORMational
  • 2xx Success
  • 3xx Redirection
  • 4xx Client Error
  • 5xx Server Error

HTTP 1 VS HTTP 2:
http 1不支持长连接,每次请求建立连接,响应后就关闭连接。HTTP2支持长连接,连接复用。

Netty的http协议栈

netty提供了对http/https协议的支持,我们可以基于netty很容易写出http应用程序。
(1)编解码

  • HttpRequestEncoder 对 HTTP 请求进行编码,用于客户端出参
  • HttpResponseEncoder 对 HTTP 响应进行编码,用于服务端出参
  • HttpRequestDecoder 对 HTTP 请求进行解码,用于服务端入参处理
  • HttpResponseDecoder 对 HTTP 响应进行解码,用于客户端对响应结果解析解析

(2)请求体FullHttpRequest和响应体FullHttpResponse
FullHttpRequest

  • HttpRequest:请求头信息对象;
  • HttpContent:请求正文对象,一个 FullHttpRequest 中可以包含多个 HttpContent;
  • LastHttpContent:标记请求正文的结束,可能会包含请求头的尾部信息;

FullHttpResponse

  • HttpResponse:响应头信息对象;
  • HttpContent:响应正文对象,一个 FullHttpResponse 中可以包含多个 HttpContent;
  • LastHttpContent:标记响应正文的结束,可能会包含响应头的尾部信息;

(3)HttpObjectAggregator-http消息聚合器

http的post请求包含3部分:

  • request line(method、uri、protocol version)
  • header
  • body

HttpObjectAggregator能够把多个部分整合在一个java对象中(另外消息体比较大的时候,还可能会分成多个消息,都会被聚合成一个整体对象),方便使用。

基于Netty实现http server

整体架构设计

核心类SimpleHttpServer:

import io.netty.bootstrap.ServerBootstrap;
import io.netty.channel.ChannelFuture;
import io.netty.channel.ChannelInitializer;
import io.netty.channel.ChannelOption;
import io.netty.channel.EventLoopGroup;
import io.netty.channel.NIO.NioEventLoopGroup;
import io.netty.channel.Socket.SocketChannel;
import io.netty.channel.socket.nio.NiOServerSocketChannel;
import io.netty.handler.codec.http.HttpObjectAggregator;
import io.netty.handler.codec.http.HttpRequestDecoder;
import io.netty.handler.codec.http.HttpResponseEncoder;
import lombok.extern.slf4j.Slf4j;
 

@Slf4j
public class SimpleHttpServer {
 
    
    private final static String host = "127.0.0.1";
 
    
    private final static Integer port = 8085;
 
    
    public void start() {
        log.info("SimpleHttpServer start begin ");
 
        EventLoopGroup bossEventLoopGroup = new NioEventLoopGroup(1);
        EventLoopGroup workerEventLoopGroup = new NioEventLoopGroup();
        try {
            ServerBootstrap serverBootstrap = new ServerBootstrap()
                    .group(bossEventLoopGroup, workerEventLoopGroup)
                    .channel(NioServerSocketChannel.class)
                    //开启tcp nagle算法
                    .childOption(ChannelOption.TCP_nodeLAY, true)
                    //开启长连接
                    .childOption(ChannelOption.SO_KEEPALIVE, true)
                    .childHandler(new ChannelInitializer<SocketChannel>() {
                        @Override
                        protected void initChannel(SocketChannel c) {
                            c.pipeline().addLast(new HttpRequestDecoder())
                                    .addLast(new HttpResponseEncoder())
                                    .addLast(new HttpObjectAggregator(512 * 1024))
                                    .addLast(new SimpleHttpServerHandler());
 
                        }
                    });
 
            ChannelFuture channelFuture = serverBootstrap.bind(host, port).sync();
 
            log.info("SimpleHttpServer start at port " + port);
 
            channelFuture.channel().closeFuture().sync();
        } catch (Exception e) {
            log.error("SimpleHttpServer start exception,", e);
        } finally {
            log.info("SimpleHttpServer shutdown bossEventLoopGroup&workerEventLoopGroup gracefully");
            bossEventLoopGroup.shutdownGracefully();
            workerEventLoopGroup.shutdownGracefully();
        }
    }
}

实际处理请求的netty handler是SimpleHttpServerHandler:

import com.alibaba.fastJSON.jsON;
import io.netty.buffer.Unpooled;
import io.netty.channel.ChannelFutureListener;
import io.netty.channel.ChannelHandlerContext;
import io.netty.channel.SimpleChannelInboundHandler;
import io.netty.handler.codec.http.*;
import lombok.extern.slf4j.Slf4j;
 
import java.nio.charset.StandardCharsets;
import java.util.List;
import java.util.Map;
 

@Slf4j
public class SimpleHttpServerHandler extends SimpleChannelInboundHandler<FullHttpRequest> {
 
    @Override
    protected void channelRead0(ChannelHandlerContext ctx, FullHttpRequest fullHttpRequest) {
        try {
            log.info("SimpleHttpServerHandler receive fullHttpRequest=" + fullHttpRequest);
 
            String result = doHandle(fullHttpRequest);
            log.info("SimpleHttpServerHandler,result=" + result);
            byte[] responseBytes = result.getBytes(StandardCharsets.UTF_8);
 
            FullHttpResponse response = new DefaultFullHttpResponse(HttpVersion.HTTP_1_0, HttpResponseStatus.OK,
                    Unpooled.wrappedBuffer(responseBytes));
            response.headers().set("Content-Type", "text/html; charset=utf-8");
            response.headers().setInt("Content-Length", response.content().readableBytes());
 
            boolean isKeepAlive = HttpUtil.isKeepAlive(response);
            if (!isKeepAlive) {
                ctx.write(response).addListener(ChannelFutureListener.CLOSE);
            } else {
                response.headers().set("Connection", "keep-alive");
                ctx.write(response);
            }
        } catch (Exception e) {
            log.error("channelRead0 exception,", e);
        }
    }
 
    @Override
    public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) {
        cause.printStackTrace();
        ctx.close();
    }
 
    @Override
    public void channelReadComplete(ChannelHandlerContext ctx) {
        ctx.flush();
    }
 
    
    private String doHandle(FullHttpRequest fullHttpRequest) {
        if (HttpMethod.GET == fullHttpRequest.method()) {
            QueryStringDecoder queryStringDecoder = new QueryStringDecoder(fullHttpRequest.uri());
            Map<String, List<String>> params = queryStringDecoder.parameters();
            return JSON.toJSONString(params);
        } else if (HttpMethod.POST == fullHttpRequest.method()) {
            return fullHttpRequest.content().toString();
        }
 
        return "";
    }
}

在主线程中启动服务端:

import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
 
@SpringBootApplication
public class SimplehttpserverApplication {
 
    public static void main(String[] args) {
        SimpleHttpServer simpleHttpServer = new SimpleHttpServer();
        simpleHttpServer.start();
 
        SpringApplication.run(SimplehttpserverApplication.class, args);
    }
}

启动成功:

利用postman工具发起http请求进行测试,这里简单测试get请求:
http://127.0.0.1:8085/?name=name1&value=v2

服务端日志也打印出了处理情况,处理正常:

19:24:59.629 [nioEventLoopGroup-3-3] INFO com.summer.simplehttpserver.SimpleHttpServerHandler - SimpleHttpServerHandler receive fullHttpRequest=HttpObjectAggregator$AggregatedFullHttpRequest(decodeResult: success, version: HTTP/1.1, content: CompositeByteBuf(ridx: 0, widx: 0, cap: 0, components=0))
GET /?name=name1&value=v2 HTTP/1.1
User-Agent: PostmanRuntime/7.26.8
Accept: */*
Cache-Control: no-cache
Postman-Token: 7dda7e2d-6f76-4008-8b74-c2b7d78f4b2e
Host: 127.0.0.1:8085
Accept-Encoding: gzip, deflate, br
Connection: keep-alive
content-length: 0
19:24:59.629 [nioEventLoopGroup-3-3] INFO com.summer.simplehttpserver.SimpleHttpServerHandler - SimpleHttpServerHandler,result={"name":["name1"],"value":["v2"]}

 到此这篇关于Java基于Netty实现Http server的实战的文章就介绍到这了,更多相关Java Netty实现Http server内容请搜索编程网以前的文章或继续浏览下面的相关文章希望大家以后多多支持编程网!

--结束END--

本文标题: Java基于Netty实现Httpserver的实战

本文链接: https://lsjlt.com/news/139947.html(转载时请注明来源链接)

有问题或投稿请发送至: 邮箱/279061341@qq.com    QQ/279061341

猜你喜欢
  • Java基于Netty实现Httpserver的实战
    目录HTTP协议基础知识Netty的http协议栈基于Netty实现http serverHTTP协议基础知识 HTTP(超文本传输协议,英文:HyperText Transfer...
    99+
    2024-04-02
  • 基于Java在netty中实现线程和CPU绑定
    目录简介引入affinityAffinityThreadFactory在netty中使用AffinityThreadFactory总结简介 使用java thread affinit...
    99+
    2024-04-02
  • 基于Springboot+Netty实现rpc的方法附demo
    今天翻看了一下Netty相关的知识点,正好练练手,简单捣鼓了这个demo;这里简单梳理一下; 前提知识点: Springboot、 Netty、动态代理(反射)、反射 项目...
    99+
    2024-04-02
  • Java基于websocket协议与netty实时视频弹幕交互实现
    目录摘要1 技术选型1.1 netty1.2 WebSocket1.3 为什么做这样的技术选型。2 实现思路2.1 服务架构3 实现效果3.1 视频展示4 代码实现4.1 项目结构4...
    99+
    2024-04-02
  • 关于Java实现HttpServer模拟前端接口调用
    目录Java 实现 Http Server,模拟前端接口调用执行结果展示请求和响应配置文件xml 文件xml 映射的实体类xml 文件解析器类接收请求并处理的部分接收请求的代码:Se...
    99+
    2023-05-15
    HttpServer HttpServer模拟前端 Http模拟接口调用
  • 基于Protostuff怎么实现Netty编解码器
    本篇内容主要讲解“基于Protostuff怎么实现Netty编解码器”,感兴趣的朋友不妨来看看。本文介绍的方法操作简单快捷,实用性强。下面就让小编来带大家学习“基于Protostuff怎么实现Netty编解...
    99+
    2024-04-02
  • Java实战之基于TCP实现简单聊天程序
    目录一、如何实现TCP通信二、编写C/S架构聊天程序1.编写服务器端程序 - Server.java2.编写客户端程序 - Client.java3.测试服务器端与客户端能否通信4....
    99+
    2024-04-02
  • 基于Prometheus的Pushgateway实战
    Pushgateway 是 Prometheus 生态中一个重要工具,使用它的原因主要是:Prometheus 采用 pull 模式,可能由于不在一个子网或者防火墙原因,导致 Prometheus 无法直接拉取各个 target ...
    99+
    2023-01-30
    实战 Prometheus Pushgateway
  • Java实战之基于swing的QQ邮件收发功能实现
    目录一、电子邮件详解二、邮件发送三、邮件接收四、导包一、电子邮件详解 假设自己的电子邮件是me@163.com,对方的邮件是you@163.com 我们编写好文件填写好对...
    99+
    2024-04-02
  • Java基于Swing和netty实现仿QQ界面聊天小项目
    目录1.前言2.功能实现3.模块划分4.使用的知识5.部分代码实现1.nettyController.java2.ClientHandler.java3.linkmen.java4....
    99+
    2024-04-02
  • Java实战之用springboot+netty实现简单的一对一聊天
    目录一、引入pom二、创建netty 服务端三、存储用户channel 的map四、客户端html五、controller 模拟用户登录以及要发送信息给...
    99+
    2024-04-02
  • 基于GDAL的JAVA生成GDB文件实战
    前言         在之前博客中,陆续的介绍了关于gdb文件的读取,gis利器之Gdal(三)gdb数据读取,玩转GDAL一文带你深入Windows下FileGDB驱动支持,这些文章主要都是介绍gdal的读取gdb以及简单的gdb文件...
    99+
    2023-10-01
    GDAL JAVA 开源GIS
  • MySQL--------基于binlog实现闪回最佳实战
    1. 背景   * 为了数据安全,搭建了主从。实时主从备份只能防止硬件问题,比如主库的硬盘损坏。但对于误操作,则无能为力。比如在主库误删一张表,或者一个update语...
    99+
    2024-04-02
  • 《基于Python的DevOps实战》专
    《基于Python的DevOps实战》专栏目录明细如下所示:一、效率神器之Python隔离工具VirtulEnv在项目中的应用二、用Gunicorn部署高性能Python WSGI服务器三、利用 Django REST framework ...
    99+
    2023-01-31
    实战 Python DevOps
  • Java基于面向对象实现一个战士小游戏
    目录一、思路二、代码实现设计一个游戏系统,在该系统当中拥有战士 Soldier 角色;,每个角色拥有自己的名字 name 、等级 level、生命力 hp ,攻击力 atk、防御力 ...
    99+
    2024-04-02
  • 基于Java实现Actor模型
    目录ActorNodeActorSystemActorSystem初始化创建Actor发送消息休眠Actor定时器小结Actor模型是一种常见的并发模型,与最常见的并发模型&mdas...
    99+
    2023-05-19
    Java实现Actor模型 Java Actor模型 Java Actor
  • OpenCV实战之基于Hu矩实现轮廓匹配
    目录前言一、查找轮廓二、计算Hu矩三、显示效果四、源码总结前言 本文将使用OpenCV C++ 基于Hu矩进行轮廓匹配。 一、查找轮廓 原图 测试图 vector<vect...
    99+
    2024-04-02
  • Java基于HttpClient实现RPC的示例
    目录1 HttpClient简介2 代码实现2.1 服务端2.1.1 新建控制器2.1.2 新建启动器2.2 客户端2.2.1 添加依赖2.2.2 新建类3. Jackson用法3....
    99+
    2024-04-02
  • 基于java中cas实现的探索
    目录1.背景简介2. java源码追踪3. hotspot jvm源码追踪4. 手写一个cas实现1. 通过汇编手写一个cas方法2. 多线程条件下测试自行实现的cas方法3. ca...
    99+
    2024-04-02
  • 基于Redission的分布式锁实战
    目录一、为什么需要分布式锁二、Redission的实战使用2.1 Redission执行流程2.2 Watch Dog 机制2.3 对比setnx三、代码案例一、为什么需要分布式锁 在系统中,当存在多个进程和线程可以改变...
    99+
    2022-08-14
    Redission分布式锁
软考高级职称资格查询
编程网,编程工程师的家园,是目前国内优秀的开源技术社区之一,形成了由开源软件库、代码分享、资讯、协作翻译、讨论区和博客等几大频道内容,为IT开发者提供了一个发现、使用、并交流开源技术的平台。
  • 官方手机版

  • 微信公众号

  • 商务合作