一个简单的Http根据规则自动路由

在日常项目中,有时候会根据一些规则/标识进行Http路由匹配,下面我实现一个简单的Http根据systemCode自动路由;

  • Controller
  • Service
  • Properties
    • Properties类
    • Yaml
  • 测试
    • 路由到baidu

Controller

import com.example.demo.service.GatewayRoutingService;
import org.apache.commons.lang3.StringUtils;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;@RestController
@RequestMapping("/gateway-routing")
public class GatewayRoutingController {private Logger log = LoggerFactory.getLogger(GatewayRoutingController.class);@Autowiredprivate GatewayRoutingService service;/*** 根据systemCode,自行匹配路由到systemCode对应的域名上** @param request* @param response*/@RequestMapping("/invoke/**")public void invoke(HttpServletRequest request, HttpServletResponse response) {String systemCode = request.getHeader("system-code");if (StringUtils.isEmpty(systemCode)) {// return 404response.setStatus(HttpServletResponse.SC_NOT_FOUND);return;}try {// 路由调用service.invoke(systemCode, request, response);} catch (Exception e) {log.info("genericInvoke>>>exception", e);throw new RuntimeException("系统错误,请联系管理");}}
}

Service

import com.example.demo.config.RequestInvokeProperties;
import org.apache.commons.lang3.StringUtils;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.http.HttpMethod;
import org.springframework.http.client.ClientHttpRequest;
import org.springframework.http.client.ClientHttpResponse;
import org.springframework.http.client.SimpleClientHttpRequestFactory;
import org.springframework.stereotype.Service;
import org.springframework.util.Assert;
import org.springframework.util.StreamUtils;import javax.servlet.ServletOutputStream;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;
import java.io.InputStream;
import java.io.OutputStream;
import java.io.UnsupportedEncodingException;
import java.net.URI;
import java.net.URISyntaxException;
import java.net.URLEncoder;
import java.util.ArrayList;
import java.util.Enumeration;
import java.util.List;@Service
public class GatewayRoutingService {private Logger log = LoggerFactory.getLogger(GatewayRoutingService.class);/*** 系统域名映射 key :系统唯一标识, value 系统*/@Autowiredprivate RequestInvokeProperties properties;/*** 路由调用*/public void invoke(String systemCode, HttpServletRequest request, HttpServletResponse response) throws Exception {// 解析获取真实请求路径final URI realUrl = this.resolveRealUrl(systemCode, request);final HttpMethod httpMethod = HttpMethod.resolve(request.getMethod());if (httpMethod == null || realUrl == null) {throw new RuntimeException("当前请求不合法, 无法转发");}log.info("routing and forwarding>>>originalUrl = {}, realUrl = {}", request.getRequestURI(), realUrl);ClientHttpRequest delegateRequest = new SimpleClientHttpRequestFactory().createRequest(realUrl, httpMethod);// set headersetRequestHeader(request, delegateRequest);// set bodysetRequestBody(request, delegateRequest);// http调用try (ClientHttpResponse clientHttpResponse = delegateRequest.execute();ServletOutputStream responseOutputStream = response.getOutputStream()) {response.setStatus(clientHttpResponse.getStatusCode().value());clientHttpResponse.getHeaders().forEach((key, values) -> {// 处理响应头重复情况,在请求返回时该响应头会出现重复,postman 调用成功,但是实际前端调用会出错if (!"Transfer-Encoding".equalsIgnoreCase(key)) {values.forEach(value -> response.setHeader(key, value));}});// 拷贝响应流ioCopy(clientHttpResponse.getBody(), responseOutputStream, 2024);}}/*** 拷贝响应流** @param in* @param out*/private long ioCopy(InputStream in, OutputStream out, int bufferSize) throws IOException {Assert.notNull(in, "InputStream is null !");Assert.notNull(out, "OutputStream is null !");long size = 0L;try {if (bufferSize <= 0) {bufferSize = 2048;}byte[] buffer = new byte[bufferSize];int readSize;while ((readSize = in.read(buffer)) != -1) {out.write(buffer, 0, readSize);size += (long) readSize;out.flush();}} finally {in.close();out.close();}return size;}/*** 解析获取真实请求路径** @param system* @param request* @return*/private URI resolveRealUrl(String system, HttpServletRequest request) throws URISyntaxException, UnsupportedEncodingException {if (properties.getSystemMap() == null || properties.getSystemMap().isEmpty()) {return null;}// 获取真实的请求url:去除前缀 /invoke/StringBuilder requestUrl = new StringBuilder(StringUtils.substringAfter(request.getRequestURI(), "/invoke/"));// 根据systemCode获取对应的域名String domain = properties.getSystemMap().get(system);if (StringUtils.isNoneBlank(requestUrl.toString(), domain)) {final Enumeration<String> parameterNames = request.getParameterNames();StringBuilder uriVariables = new StringBuilder("?");while (parameterNames.hasMoreElements()) {// 转义部分特殊字符,如果请求参数里带有 +、空格等不转义请求路由过去会出问题final String parameterName = URLEncoder.encode(parameterNames.nextElement(), "UTF-8");final String parameter = URLEncoder.encode(request.getParameter(parameterName), "UTF-8");uriVariables.append(parameterName).append("=").append(parameter).append("&");}domain = domain.endsWith("/") ? domain : domain + "/";return new URI(domain + requestUrl + (uriVariables.length() == 1 ? "" : uriVariables.substring(0, uriVariables.length() - 1)));}return null;}/*** 设置请求体** @throws IOException*/private void setRequestBody(HttpServletRequest request, ClientHttpRequest delegateRequest) throws IOException {StreamUtils.copy(request.getInputStream(), delegateRequest.getBody());}/*** 设置请求头*/private void setRequestHeader(HttpServletRequest request, ClientHttpRequest delegateRequest) {Enumeration<String> headerNames = request.getHeaderNames();// 设置请求头while (headerNames.hasMoreElements()) {String headerName = headerNames.nextElement();Enumeration<String> header = request.getHeaders(headerName);List<String> arr = new ArrayList<>();while (header.hasMoreElements()) {arr.add(header.nextElement());}delegateRequest.getHeaders().addAll(headerName, arr);}if (!delegateRequest.getHeaders().containsKey("Content-Type")) {delegateRequest.getHeaders().add("Content-Type", "application/json; charset=utf-8");}}
}

Properties

Properties类

@Data
@Component
@ConfigurationProperties(prefix = "request.invoke")
public class RequestInvokeProperties {private Map<String, String> systemMap;
}

Yaml

request:invoke:systemMap:baidu: http://www.baidu.com/

测试

路由到baidu

请求:

curl --location --request GET 'http://localhost:8080/gateway-routing/invoke/s?wd=spring' \
--header 'system-code: baidu' \
--header 'User-Agent: Apifox/1.0.0 (https://apifox.com)' \
--header 'Content-Type: application/json' \
--header 'Accept: */*' \
--header 'Host: localhost:8080' \
--header 'Connection: keep-alive' \
--data-raw ''

实际请求:

http://www.baidu.com/s?wd=spring

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/bicheng/57904.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Windows安装PM2 注意事项与错误查改

Windows安装 1. 首先应确保 node 和 npm 已经安装&#xff1a; node -v #查看 node 版本 npm -v #查看 npm 版本注意有时候即使npm安装了&#xff0c;但并没有进行配置环境变量&#xff0c;后面会将如何配置。 2. 尝试安装pm2到全局路径 运行以下命令对 PM2 进行全局安装&a…

Mycat2安装配置

安装配置 安装 目前Mycat2下载地址已经不可访问&#xff0c;安装包可从参考资料[1]获取 下载后解压zip文件&#xff0c;将jar放在lib目录下 编辑配置文件 编辑conf文件夹下的prototypeDs.datasource.json 更改数据库相关信息 启动 windows环境下启动Mycat 以管理员身份运行…

查找算法和排序算法

文章目录 1.基本查找1.1需求一:1.2需求二: 2.二分查找3.分块查找3.1分块查找的扩展 4.冒泡排序5.选择排序6.插入排序7.快速排序(递归算法) 1.基本查找 在数组或集合中挨个元素查找需要的元素 1.1需求一: 需求:定义一个方法利用基本查找,查询某个元素是否存在 数据如下&#…

威胁 Windows 和 Linux 系统的新型跨平台勒索软件:Cicada3301

近年来&#xff0c;网络犯罪世界出现了新的、日益复杂的威胁&#xff0c;能够影响广泛的目标。 这一领域最令人担忧的新功能之一是Cicada3301勒索软件&#xff0c;最近由几位网络安全专家进行了分析。他们有机会采访了这一危险威胁背后的勒索软件团伙的成员。 Cicada3301的崛…

微信小程序中关闭默认的 `navigationBar`,并使用自定义的 `nav-bar` 组件

要在微信小程序中关闭默认的 navigationBar&#xff0c;并使用自定义的 nav-bar 组件&#xff0c;你可以按照以下步骤操作&#xff1a; 1. 关闭默认的 navigationBar 在你的页面的配置文件 *.json 中设置 navigationBar 为 false。你需要在页面的 JSON 配置文件中添加以下代码…

C#从零开始学习(用户界面)(unity Lab4)

这是书本中第四个unity Lab 在这次实验中,将学习如何搭建一个开始界面 分数系统 点击球,会增加分数 public void ClickOnBall(){Score;}在OneBallBehaviour类添加下列方法 void OnMouseDown(){GameController controller Camera.main.GetComponent<GameController>();…

纯血鸿蒙的未来前景

纯血鸿蒙作为华为推出的新一代操作系统&#xff0c;其未来的发展前景可以从多个方面进行分析。 从技术角度来看&#xff0c;纯血鸿蒙实现了全面的自主可控。它去除了传统的AOSP代码&#xff0c;仅支持鸿蒙内核和鸿蒙系统的应用&#xff0c;不再兼容安卓OS。这种技术上的独立性…

js纯操作dom版购物车(实现购物车功能)

代码&#xff1a; <!DOCTYPE html> <html lang"zh-CN"><head><meta charset"UTF-8" /><meta name"viewport" content"widthdevice-width, initial-scale1.0" /><title>Document</title>&l…

华为HCIE-OpenEuler认证详解

华为HCIE认证&#xff08;Huawei Certified ICT Expert&#xff09;是华为提供的最高级别的专业认证&#xff0c;它旨在培养和认证在特定技术领域具有深厚理论知识和丰富实践经验的专家级工程师。对于华为欧拉&#xff08;OpenEuler&#xff09;方向的HCIE认证&#xff0c;即HC…

jenkins国内插件源

Jenkins是一个开源的持续集成和持续部署&#xff08;CI/CD&#xff09;工具, 可以大大减轻部署的工作量, 但是jenkins作为一个国外的软件, 在国内下载插件会很麻烦, 因此我们可以将其换为国内源 更换步骤 替换国内插件下载地址 以linux为例 首先, jenkins初始化完成之后不会…

如何制作一台自己想要的无人机?无人机改装调试技术详解

制作一台符合个人需求的无人机并对其进行改装调试&#xff0c;是一个既具挑战性又充满乐趣的过程。以下是从设计、选购材料、组装、调试到改装的详细步骤&#xff1a; 一、明确需求与设计 1. 明确用途与性能要求&#xff1a; 确定无人机的使用目的&#xff0c;如航拍、比赛、…

推荐一款功能强大的数据备份工具:Iperius Backup Full

Iperius Backup是一款非常灵活而且功能强大的数据备份工具&#xff0c;程序可以非常好的保护您的文件和数据的安全。支持DAT备份、LTO备份、NAS备份、磁带备份、RDX驱动器、USB备份、并且支持zip压缩和军事级别的AES 256位数据加密技术! 主要特色 云备份 Iperius可以自动地发…

如何训练 RAG 模型

训练 RAG&#xff08;Retrieval-Augmented Generation&#xff09;模型涉及多个步骤&#xff0c;包括准备数据、构建知识库、配置检索器和生成模型&#xff0c;以及进行训练。以下是一个详细的步骤指南&#xff0c;帮助你训练 RAG 模型。 1. 安装必要的库 确保你已经安装了必…

.net 根据html的input type=“week“控件的值获取星期一和星期日的日期

初始化 "week" 控件值&#xff1a; //MVC部分 public ActionResult WeeklyList() {int weekNo new GregorianCalendar().GetWeekOfYear(System.DateTime.Now, System.Globalization.CalendarWeekRule.FirstDay, DayOfWeek.Sunday);string DefaultWeek DateTime.No…

洛谷 P1130 红牌

自用。 题目传送门&#xff1a;红牌 - 洛谷 题解&#xff1a;Inori_333 参考题解&#xff1a;无 /*P1130 红牌https://www.luogu.com.cn/problem/P11302024/10/25 submit:inori_333 */#include <iostream> using namespace std; int n, m;//n步&#xff0c;m个小组 …

代码随想录算法训练营Day39 | 卡玛网-46.携带研究材料、416. 分割等和子集

目录 卡玛网-46.携带研究材料 416. 分割等和子集 卡玛网-46.携带研究材料 题目 卡玛网46. 携带研究材料&#xff08;第六期模拟笔试&#xff09; 题目描述&#xff1a; 小明是一位科学家&#xff0c;他需要参加一场重要的国际科学大会&#xff0c;以展示自己的最新研究成…

论文速读:YOLO-G,用于跨域目标检测的改进YOLO(Plos One 2023)

原文标题&#xff1a;YOLO-G: Improved YOLO for cross-domain object detection 中文标题&#xff1a;YOLO-G&#xff1a;用于跨域目标检测的改进YOLO 论文地址&#xff1a; 百度网盘 请输入提取码 提取码&#xff1a;z8h7 代码地址&#xff1a; GitHub - airy975924806/yolo…

使用js-enumerate报错Cannot set properties of undefined

环境 node v16.20.2react 18.3.1react-scripts 5.0.1 按照最新 npx create-react-app my-app 创建出来的新项目&#xff0c;引入 js-enumerate 库后运行报错。 报错 Uncaught runtime errors:ERROR Cannot set properties of undefined (setting Enum) TypeError: Cannot se…

【electron7】调试对话图片的加密处理

1.图片加解密的公共数据&#xff1a;key、iv等 // 字符串转字节数组的方法 const stringToBytes (str: string) > {let ch 0let st []let re: any[] []for (let i 0; i < str.length; i) {ch str.charCodeAt(i) // get charst [] // set up "stack"do …

基于springboot企业微信SCRM管理系统源码带本地搭建教程

系统是前后端分离的架构&#xff0c;前端使用Vue2&#xff0c;后端使用SpringBoot2。 技术框架&#xff1a;SpringBoot2.0.0 Mybatis1.3.2 Shiro swagger-ui jpa lombok Vue2 Mysql5.7 运行环境&#xff1a;jdk8 IntelliJ IDEA maven 宝塔面板 系统与功能介绍 基…