【swagger动态配置输入参数忽略某些字段】

文章目录

    • 一,背景
        • 1.介绍
        • 2. 现有做法1
        • 3. springfox支持的方式2
    • 二,问题
    • 三,思路
    • 四,实现
        • 1. 定义注解SwaggerInputFieldIgnore
        • 2. 实现WebMvcOpenApiTransformationFilter
        • 3. 实现WApiListingBuilderPlugin
    • 五,结果

一,背景

1.介绍

使用springfox生成swagger.json文件,然后导入yapi,进行展示;当使用的request和response有共用的模型时,一般是需要输入的模型字段会少一些,而输出的模型信息字段会更多些。

比如:
以用户管理为例,定义了如下结构


/*** swagger 用户测试方法* * @author ruoyi*/
@Anonymous
@Api("用户信息管理")
@RestController
@RequestMapping("/test/user")
public class TestController extends BaseController
{private final static Map<Integer, UserEntity> users = new LinkedHashMap<Integer, UserEntity>();{users.put(1, new UserEntity(1, "admin", "admin123", "15888888888"));users.put(2, new UserEntity(2, "ry", "admin123", "15666666666"));}@ApiOperation("获取用户列表")@GetMapping("/list")public R<List<UserEntity>> userList(){List<UserEntity> userList = new ArrayList<UserEntity>(users.values());return R.ok(userList);}@ApiOperation("新增用户")@ApiImplicitParams({@ApiImplicitParam(name = "userId", value = "用户id", dataType = "Integer", dataTypeClass = Integer.class),@ApiImplicitParam(name = "username", value = "用户名称", dataType = "String", dataTypeClass = String.class),@ApiImplicitParam(name = "password", value = "用户密码", dataType = "String", dataTypeClass = String.class)
//        @ApiImplicitParam(name = "mobile", value = "用户手机", dataType = "String", dataTypeClass = String.class)})@PostMapping("/save")public R<String> save(@ApiIgnore UserEntity user){if (StringUtils.isNull(user) || StringUtils.isNull(user.getUserId())){return R.fail("用户ID不能为空");}users.put(user.getUserId(), user);return R.ok();}@ApiOperation("更新用户")@PutMapping("/update")public R<String> update(@RequestBody UserEntity user){if (StringUtils.isNull(user) || StringUtils.isNull(user.getUserId())){return R.fail("用户ID不能为空");}if (users.isEmpty() || !users.containsKey(user.getUserId())){return R.fail("用户不存在");}users.remove(user.getUserId());users.put(user.getUserId(), user);return R.ok();}}@Data
@ApiModel(value = "UserEntity", description = "用户实体")
class UserEntity extends BaseEntity
{@ApiModelProperty("用户ID")private Integer userId;@ApiModelProperty("用户名称")private String username;@ApiModelProperty("用户密码")private String password;@ApiModelProperty("用户手机")private String mobile;}

如此,则在用户更新和用户列表查询时,共用了UserEntity 模型。对于大部分实体共用的字段(BaseEntity),比如:创建时间,更新时间,是否删除等一并在yapi侧的请求api进行了展示,而对于前端开发同学来讲,这些都是非必需的。

我们的目标是:在前端传参数时,只使用必要的参数,其他参数不展示。

2. 现有做法1

定义一个新的DTO,比如:UpdateUserDTO,只包含必要的部分字段

弊端:
增加了一个新的类,每次需要copy一些字段,有些冗余。

3. springfox支持的方式2

使用@ApiIgnore注解,如上action插入用户时所做。

弊端:
需要使用@ApiImplicitParams和 @ApiImplicitParam注解,在参数比较多时,编写麻烦。

二,问题

以上都会比较繁琐,新增模型DTO后会有转换的编码操作;使用@ApiIgnore和@ApiImplicitParam时需要写好多跟业务逻辑无关的注解配置;二者更新时都有一些工作量存在;那么有没有一种更好的方式,既可以共用模型实体(UserEntity),又可以使用少量的编码,去除掉在用户输入时的各种非必需字段

三,思路

step1. 添加注解@SwaggerInputFieldIgnore,标识作为输入参数时,忽略的字段
step2. 在swagger加载各种@API配置时,解析出使用了哪些模型实体,尤其是有@SwaggerInputFieldIgnore标识的模型
step3. 在生成swagger.json内容时,通过反射处理@SwaggerInputFieldIgnore标识的字段,在结果中忽略该字段

四,实现

思路算是比较清晰,在实际编码实现的过程中,对于swagger的自动化配置原理以及spring-plugin的机制需要有必要的知识储备,我把最终编码结果整理如下:

1. 定义注解SwaggerInputFieldIgnore
/*** swagger schema模型中,* 1. 在作为body入参的场景下,忽略某些字段* 2. 在作为出参的场景下,不必忽略某些字段** 比如:*     @ApiOperation("获取用户列表, UserEntity作为出参")*     @GetMapping("/list")*     public R<List<UserEntity>> userList();**     @ApiOperation("更新用户,UserEntity作为入参")*     @PutMapping("/update")*     public R<String> update(@RequestBody UserEntity user)*/
@Target({ElementType.FIELD})
@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface SwaggerInputFieldIgnore {
}
2. 实现WebMvcOpenApiTransformationFilter

@Component
public class InputFieldIgnoreOpenApiTransformationFilter implements WebMvcOpenApiTransformationFilter {private static final Logger log = getLogger(InputFieldIgnoreOpenApiTransformationFilter.class);public static final String SUFFIX_INPUT = "-input";private Map<String, InjectedInputSchema> injectedSchemaMap = new HashedMap();@Autowiredprivate ModelRetriveApiListingPugin modelRetriveApiListingPugin;@Value("${swagger.fieldIgnore.Enable:true}")private Boolean fieldIgnoreEnable;public static final class InjectedInputSchema {String originKey;String injectedKey;Class schemaClazz;Schema injectedSchema;public InjectedInputSchema(String originKey, Class schemaClazz) {this.originKey = originKey;this.injectedKey = originKey + "-input";this.schemaClazz = schemaClazz;}}/*** 1. 根据注解@SwaggerInputFieldIgnore,解析余下的字段* 2. 增加对应的schema** @param oas*/private void processInputInject(OpenAPI oas) {if (!fieldIgnoreEnable) {return;}// 1. 解析paths,替换$ref; 同时,收集schema元数据用于补充schema-input。for (PathItem each : oas.getPaths().values()) {appendRefWithInput(each.getPut());appendRefWithInput(each.getPost());}if(MapUtils.isEmpty(injectedSchemaMap)){return;}// 2. 补充schema-inputfor (InjectedInputSchema each : injectedSchemaMap.values()) {// 2.1. 构造schemaSchema old = oas.getComponents().getSchemas().get(each.originKey);Schema schema = constructSchema(each, old);// 2.2. 加入oas.components.schemasoas.getComponents().getSchemas().put(each.injectedKey, schema);}}private void appendRefWithInput(Operation operation) {if (operation == null || operation.getRequestBody() == null) {return;}try {Content content = operation.getRequestBody().getContent();MediaType mediaType = content.get(org.springframework.http.MediaType.APPLICATION_JSON_VALUE);Schema schema = mediaType.getSchema();String $ref = schema.get$ref();String originName = $ref.substring($ref.lastIndexOf("/") + 1);QualifiedModelName modelName = modelRetriveApiListingPugin.getApiModels().get(originName);if (modelName != null) {schema.set$ref($ref + SUFFIX_INPUT);injectedSchemaMap.put(originName, new InjectedInputSchema(originName, constructClazz(modelName)));}} catch (Exception e) {log.error("error occured", e);}}private static Class<?> constructClazz(QualifiedModelName modelName) throws ClassNotFoundException {return Class.forName(modelName.getNamespace() + "." + modelName.getName());}private Schema constructSchema(InjectedInputSchema each, Schema old) {Schema result = new ObjectSchema();result.title(each.injectedKey);result.type(old.getType());result.description(old.getDescription());HashMap<String, Schema> props = new HashMap<>(old.getProperties());Set<String> removingKey = new HashSet();props.keySet().forEach(filedName -> {Field field = ReflectionUtils.findField(each.schemaClazz, filedName);SwaggerInputFieldIgnore anno = AnnotationUtils.findAnnotation(field, SwaggerInputFieldIgnore.class);if (anno != null) {removingKey.add(filedName);}});removingKey.forEach(field -> props.remove(field));result.setProperties(props);return result;}@Overridepublic OpenAPI transform(OpenApiTransformationContext<HttpServletRequest> context) {OpenAPI openApi = context.getSpecification();processInputInject(openApi);return openApi;}@Overridepublic boolean supports(DocumentationType delimiter) {return delimiter == DocumentationType.OAS_30;}
}
3. 实现WApiListingBuilderPlugin
@Order(value = Ordered.LOWEST_PRECEDENCE)
@Component
public class ModelRetriveApiListingPugin implements ApiListingBuilderPlugin {private static final Logger log = LoggerFactory.getLogger(ModelRetriveApiListingPugin.class);private Map<String, QualifiedModelName> apiModels = new HashedMap();@Overridepublic void apply(ApiListingContext apiListingContext) {Field filed = ReflectionUtils.findField(ApiListingBuilder.class, "modelSpecifications");filed.setAccessible(true);Map<String, ModelSpecification> specsMap = (Map<String, ModelSpecification>) ReflectionUtils.getField(filed, apiListingContext.apiListingBuilder());retriveApiModels(specsMap.values());}private void retriveApiModels(Collection<ModelSpecification> specs) {
//        Collection<ModelSpecification> specs = each.getModelSpecifications().values();specs.forEach(spec -> {ModelKey modelKey = spec.getCompound().get().getModelKey();QualifiedModelName modelName = modelKey.getQualifiedModelName();apiModels.put(modelName.getName(), modelName);log.info(modelName.toString());});}Map<String, QualifiedModelName> getApiModels() {return apiModels;}@Overridepublic boolean supports(DocumentationType delimiter) {return true;}
}

五,结果

  1. 加入以上java文件,并设置模型字段注解后,可以看到产出的swagger.json内容已经在入参数中忽略掉了注解字段
  2. 导入yapi后,配置忽略的字段已经没有了,_ !

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

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

相关文章

故障诊断入门书籍资料免费领取

前言 本期分享免费提供9本故障诊断领域相关的书籍资料&#xff0c;可自行下载 一、主要内容 二、书籍获取

Clickhouse数据库部署、Python3压测实践

Clickhouse数据库部署、Python3压测实践 一、Clickhouse数据库部署 版本&#xff1a;yandex/clickhouse-server:latest 部署方式&#xff1a;docker 内容 version: "3"services:clickhouse:image: yandex/clickhouse-server:latestcontainer_name: clickhouse …

基于STC系列单片机实现定时器扫描数码管显示定时器/计数器产生频率的功能

#define uchar unsigned char//自定义无符号字符型为uchar #define uint unsigned int//自定义无符号整数型为uint #define NixieTubeSegmentCode P0//自定义数码管段码为单片机P0组引脚 #define NixieTubeBitCode P2//自定义数码管位码为单片机P2组引脚 sbit LED P1^0;//位定义…

【Hello Algorithm】滑动窗口内最大值最小值

滑动窗口介绍 滑动窗口是一种我们想象中的数据结构 它是用来解决算法问题的 我们可以想象出一个数组 然后再在这个数组的起始位置想象出两个指针 L 和 R 我们对于这两个指针做出以下规定 L 和 R指针只能往右移动L指针不能走到R指针的右边我们只能看到L指针和R指针中间的数字 …

不同碳化硅晶体面带来的可能性

对于非立方晶体&#xff0c;它们天生具有各向异性&#xff0c;即不同方向具有不同的性质。以碳化硅晶体面为例&#xff1a; 4H-SIC和6H-SIC的空间群是P63mc&#xff0c;点群是6mm。两者都属于六方晶系&#xff0c;具有各向异性。3C-SIC的空间群是F-43m&#xff0c;点群是-43m。…

革新技术,释放创意 :Luminar NeoforMac/win超强AI图像编辑器

Luminar Neo&#xff0c;一个全新的AI图像编辑器&#xff0c;正以其强大的功能和独特的创意引领着图像编辑的潮流。借助于最新的AI技术&#xff0c;Luminar Neo为用户提供了无限可能的图像编辑体验&#xff0c;让每一个想法都能被精彩地实现。 Luminar Neo的AI引擎强大而高效&…

MySQL之事务、存储引擎、索引

文章目录 前言一、事务1.概念2.操作&#xff08;1&#xff09;开启事务&#xff08;2&#xff09;提交事务&#xff08;3&#xff09;回滚事务 3.四大特性ACID&#xff08;1&#xff09;原子性&#xff08;Atomicity&#xff09;&#xff08;2&#xff09;一致性&#xff08;Co…

【C++】STL容器适配器入门:【堆】【栈】【队列】(16)

前言 大家好吖&#xff0c;欢迎来到 YY 滴C系列 &#xff0c;热烈欢迎&#xff01; 本章主要内容面向接触过C的老铁 主要内容含&#xff1a; 欢迎订阅 YY滴C专栏&#xff01;更多干货持续更新&#xff01;以下是传送门&#xff01; 目录 一.容器适配器的概念二.为什么stack和q…

php使用lunar实现农历、阳历、节日等功能

lunar是一个支持阳历、阴历、佛历和道历的日历工具库&#xff0c;它开源免费&#xff0c;有多种开发语言的版本&#xff0c;不依赖第三方&#xff0c;支持阳历、阴历、佛历、道历、儒略日的相互转换&#xff0c;还支持星座、干支、生肖等。仅供参考&#xff0c;切勿迷信。 官…

linux下alias别名设置说明

1&#xff1a;alias别名设置说明 我们想将某个可执行程序&#xff0c;命名为其它名称&#xff1b;比如为python指定对应的python版本 给python39指定python版本 alias python3/home/du/Downloads/Python-3.9.9/pythonduubuntu:/root$ python39 -V Python 3.9.92&#xff1a;…

4.5 final修饰符

在Java中&#xff0c;final修饰符可以修饰类、属性和方法&#xff0c;final有“最终”、“不可更改”的含义&#xff0c;所以在使用final关键字时需要注意以下几点&#xff1a; 使用final修饰类&#xff0c;则该类就为最终类&#xff0c;最终类不能被继承。 使用final修饰方法…

C++ list 模拟实现

目录 1. 基本结构的实现 2. list() 3. void push_back(const T& val) 4. 非 const 迭代器 4.1 基本结构 4.2 构造函数 4.3 T& operator*() 4.4 __list_iterator& operator() 4.5 bool operator!(const __list_iterator& it) 4.6 T* operator->…

XHSELL连接虚拟机的常见问题(持续更新)

问题一&#xff1a;找不到匹配的host key算法。 检查XSHELL的版本&#xff0c;如果是旧版本&#xff0c;就有可能不支持新的算法&#xff0c;解决方法就是安装最新版本的XSHELL。 注&#xff1a;本人使用xshell5连接ubuntu22.04.3&#xff0c;出现了上述问题&#xff0c;将xsh…

数据结构和算法(15):排序

快速排序 分治 快速排序与归并排序的分治之间的不同&#xff1a; 归并排序的计算量主要消耗于有序子向量的归并操作&#xff0c;而子向量的划分却几乎不费时间&#xff1b; 快速排序恰好相反&#xff0c;它可以在O(1)时间内&#xff0c;由子问题的解直接得到原问题的解&#…

万字解析设计模式之工厂方法模式与简单工厂模式

一、概述 1.1简介 在java中&#xff0c;万物皆对象&#xff0c;这些对象都需要创建&#xff0c;如果创建的时候直接new该对象&#xff0c;就会对该对象耦合严重&#xff0c;假如我们要更换对象&#xff0c;所有new对象的地方都需要修改一遍&#xff0c;这显然违背了软件设计的…

至高直降3000元,微星笔记本双11爆款推荐、好评有礼拿到手软

今年双11来的更早一些&#xff0c;微星笔记本先行的第一波雷影17促销活动&#xff0c;就已经领略到玩家们满满的热情。开门红高潮一触即发&#xff0c;微星笔记本双11活动周期至高直降3000元&#xff0c;众多爆款好货已经开启预约预售&#xff1a;有硬核玩家偏爱的性能双雄&…

接口返回响应,统一封装(ResponseBodyAdvice + Result)(SpringBoot)

需求 接口的返回响应&#xff0c;封装成统一的数据格式&#xff0c;再返回给前端。 依赖 对于SpringBoot项目&#xff0c;接口层基于 SpringWeb&#xff0c;也就是 SpringMVC。 <dependency><groupId>org.springframework.boot</groupId><artifactId&g…

逻辑运算的短路特性(,||)

文章目录 ||运算表达式A || 表达式B代码示例 &&运算表达式A && 表达式B代码样例 总结 ||运算 表达式A || 表达式B 表达式成真条件&#xff1a; 满足表达式A和表达式B任意一个为真 短路原则&#xff1a; 如果表达式A为真&#xff0c;就不执行和判断表达式B&a…

Web APIs——事件流

一、事件流 1.1 事件流与两个阶段说明 事件流指的是事件完整执行过程中的流动路径 说明&#xff1a;假设页面里有个div&#xff0c;当触发事件时&#xff0c;会经历两个阶段&#xff0c;分别是捕获阶段、冒泡阶段 简单来说&#xff1a;捕获阶段是 从父到子 冒泡阶段是从子到父…

震惊! 全方位解释在测试眼里,什么是需求?为什么要有需求?深入理解需求——图文并茂,生活举例,简单好理解

1、什么是需求&#xff1f; 需求定义(官方) 满足用户期望或正式规定文档&#xff08;合同、标准、规范&#xff09;所具有的条件和权能&#xff0c;包含用户需求和软件需求 用户需求&#xff1a;可以简单理解为甲方提出的需求&#xff0c;如果没有甲方&#xff0c;那么就是终端…