为spring get请求添加自定义的参数处理操作(如下划线转驼峰)

1.生成自己的注解(为了确定在哪些位置使用)

/**
 * 关闭patch delete的model处理,否则会报错
 */
@Target({ElementType.METHOD})
@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface AliasProcessor {
}
/**
 * 处理Get 请求参数的驼峰问题
 * @author lw
 */
@Target(ElementType.FIELD)
@Retention(RetentionPolicy.RUNTIME)
public @interface ValueFrom {
 /**
 * 参数名(别名)列表
 */
 String[] value();
}

2.实现自己的ServletModelAttributeMethodProcessor

/**
 * 为了减少使用 @RequestPath 将get参数封装到实体类中 重写ModelAttributeMethodProcessor
 * 注:由于get请求为非raw请求,spring默认使用@ModelArrtribute注解,不会自动将下划线的数据转为驼峰数据
 * 所以需要自定义一个处理器,进行该操作 *
 * @author lw
 */

public class AliasModelAttributeMethodProcessor extends ServletModelAttributeMethodProcessor {
 private ApplicationContext applicationContext;

 /**
 * 过滤掉patch请求,防止报错
 */
 @Override
 public boolean supportsParameter(MethodParameter parameter) {
 return parameter.getMethodAnnotation(AliasProcessor.class)!=null;
 }

 public AliasModelAttributeMethodProcessor(ApplicationContext applicationContext) {
 super(true);
 this.applicationContext=applicationContext;
 }

 @Override
 protected void bindRequestParameters(WebDataBinder binder, NativeWebRequest request) {
 AliasDataBinder aliasBinder = new AliasDataBinder(binder.getTarget(), binder.getObjectName());
 RequestMappingHandlerAdapter requestMappingHandlerAdapter = this.applicationContext.getBean(RequestMappingHandlerAdapter.class);
 requestMappingHandlerAdapter.getWebBindingInitializer().initBinder(aliasBinder);
 aliasBinder.bind(request.getNativeRequest(ServletRequest.class));
 }
}

3.自己的数据处理类

/**
 * 重新数据处理类
 * @author lw
 */
public class AliasDataBinder extends ExtendedServletRequestDataBinder {

 public AliasDataBinder(Object target, String objectName) {
 super(target, objectName);
 }

 /**
 * 复写addBindValues方法
 * @param mpvs 这里面存的就是请求参数的key-value对
 * @param request 请求本身, 这里没有用到
 */
 @Override
 protected void addBindValues(MutablePropertyValues mpvs, ServletRequest request) {
 super.addBindValues(mpvs, request);
 // 处理要绑定参数的对象
 Class<?> targetClass = getTarget().getClass();
 // 获取对象的所有字段(拿到Test类的字段)
 Field[] fields = targetClass.getDeclaredFields();
 // 处理所有字段
 for (Field field : fields) {
  // 原始字段上的注解
  ValueFrom valueFromAnnotation = field.getAnnotation(ValueFrom.class);
  // 若参数中包含原始字段或者字段没有别名注解, 则跳过该字段
  if (mpvs.contains(field.getName()) || valueFromAnnotation == null) {
  continue;
  }
  // 参数中没有原始字段且字段上有别名注解, 则依次取别名列表中的别名, 在参数中最先找到的别名的值赋值给原始字段
  for (String alias : valueFromAnnotation.value()) {
  // 若参数中包含该别名, 则把别名的值赋值给原始字段
  if (mpvs.contains(alias)) {
   // 给原始字段赋值
   mpvs.add(field.getName(), mpvs.getPropertyValue(alias).getValue());
   // 跳出循环防止取其它别名
   break;
  }
  }
 }
 }
}

4.注册到spring中

/**
 * 为了获得context需要实现ApplicationContextAware接口
 * @author lw
 */
@Configuration
public class WebmvcConfig implements ApplicationContextAware {

 @Autowired
 private RequestMappingHandlerAdapter adapter;

 private ApplicationContext applicationContext = null;

 @Override
 public void setApplicationContext(ApplicationContext applicationContext) throws BeansException {
 this.applicationContext=applicationContext;
 }

 /**
 * 将自定义的processor添加到adapter中
 */
 @PostConstruct
 protected void injectSelfMethodArgumentResolver() {
 List<HandlerMethodArgumentResolver> argumentResolvers = new ArrayList<>();
 argumentResolvers.add(new AliasModelAttributeMethodProcessor(this.applicationContext));
 argumentResolvers.addAll(adapter.getArgumentResolvers());
 adapter.setArgumentResolvers(argumentResolvers);
 }
}

补充知识:springboot - mybatis - 下划线与驼峰自动转换 mapUnderscoreToCamelCase

以前都是在mybatis.xml中来配置,但是spring boot不想再用xml配置文件。网上搜寻了好久,才找到设置办法:

sessionFactoryBean.getObject().getConfiguration().setMapUnderscoreToCamelCase(true);

db配置文件源码:

package com.vip.qa.vop.config;

import com.alibaba.druid.pool.DruidDataSource;
import org.apache.ibatis.session.SqlSessionFactory;
import org.mybatis.spring.SqlSessionFactoryBean;
import org.mybatis.spring.annotation.MapperScan;
import org.springframework.beans.factory.annotation.Qualifier;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.context.annotation.Primary;
import org.springframework.core.io.support.PathMatchingResourcePatternResolver;
import org.springframework.jdbc.datasource.DataSourceTransactionManager;
import javax.sql.DataSource;
import java.util.Properties;

/**
 * Created by danny.yao on 2017/10/25.
 */
@Configuration
@MapperScan(basePackages = VOPDataSourceConfig.PACKAGE, sqlSessionFactoryRef = "vopSqlSessionFactory")
public class VOPDataSourceConfig {
 static final String PACKAGE = "com.vip.qa.vop.mapper.vop";

 @Value("${vop.datasource.url}")
 private String dbUrl;

 @Value("${vop.datasource.username}")
 private String dbUser;

 @Value("${vop.datasource.password}")
 private String dbPassword;

 @Value("${vop.datasource.driver-class-name}")
 private String dbDriver;

 @Bean(name = "vopDataSource")
 @Qualifier
 @Primary
 public DataSource vopDataSource() {
 DruidDataSource dataSource = new DruidDataSource();
 dataSource.setDriverClassName(dbDriver);
 dataSource.setUrl(dbUrl);
 dataSource.setUsername(dbUser);
 dataSource.setPassword(dbPassword);
 return dataSource;
 }

 @Bean(name = "vopSqlSessionFactory")
 @Qualifier
 @Primary
 public SqlSessionFactory vopSqlSessionFactory(@Qualifier("vopDataSource") DataSource scepDataSource) throws Exception {
 final SqlSessionFactoryBean sessionFactoryBean = new SqlSessionFactoryBean();
 sessionFactoryBean.setDataSource(scepDataSource);

 PathMatchingResourcePatternResolver resolver = new PathMatchingResourcePatternResolver();
 sessionFactoryBean.setMapperLocations(resolver.getResources("classpath:/mybatis/vop/*.xml"));
 sessionFactoryBean.getObject().getConfiguration().setMapUnderscoreToCamelCase(true);

 return sessionFactoryBean.getObject();
 }

// @Bean(name = "vopTransactionManager")
// @Qualifier
// public DataSourceTransactionManager testDataTransactionManager() {
// return new DataSourceTransactionManager(vopDataSource());
// }

}

以上这篇为spring get请求添加自定义的参数处理操作(如下划线转驼峰)就是小编分享给大家的全部内容了,希望能给大家一个参考,也希望大家多多支持我们。

(0)

相关推荐

  • js对象属性名驼峰式转下划线的实例代码

    一.题目示例: 思路: 1.匹配属性名字符串中的大写字母和数字 2.通过匹配后的lastIndex属性获取匹配到的大写字母和数字的位置 3.判断大写字母的位置是否为首位置以及lastIndex是否为0,为0则表示匹配结束 4.将存放位置的数组进行从小到大排序,排序后将属性名按照字符串的slice方法切割并使用下划线重组 5.遍历对象的属性名并使用函数改变为新的命名,从新赋值到新的对象上(也可以使用改变对象的ES6新语法) 6.注意,每次在调用函数后,需要清空之前存放位置的数组 二.实现代码 le

  • Go语言json编码驼峰转下划线、下划线转驼峰的实现

    一.需求 golang默认的结构体json转码出来,都是根据字段名生成的大写驼峰格式,但是一般我们最常用的json格式是小写驼峰或者小写下划线,因此,我们非常需要一个统一的方法去转换,而不想挨个写json标签,例如 package main import ( "encoding/json" "fmt" ) func main() { type Person struct { HelloWold string LightWeightBaby string } var

  • mybatisplus解决驼峰命名映射问题详解

    问题的提出 今天我在测试mybatis的时候,发现查询出来的一些字段为null,而且这些字段都是驼峰命名了的.所以我首先就想到了是数据库表字段和类映射出了问题. 解决办法 一.理解spring-mybatis.xml中关于驼峰命名的配置 mybatisplus是mybatis的升级版,所以配置还是有点儿差别,如果是mybatis的话,直接在configuration中配置就行了,如下: <?xml version="1.0" encoding="UTF-8"?

  • 为什么rest接口返回json建议采用下划线形式,不要用驼峰

    今天被数据大神说了,对接第三方接口返回的json字段我想用驼峰形式,他说我这样不专业.所以就改了,认怂. 记住以后再次对接rest接口,返回的字段用下划线形式 记录一下改的内容 1.使用fastjson的@JSONField(name = "is_member") 如果没有fastjson的包,要先引入 <!-- fastjson start --> <dependency> <groupId>com.alibaba</groupId>

  • 为spring get请求添加自定义的参数处理操作(如下划线转驼峰)

    1.生成自己的注解(为了确定在哪些位置使用) /** * 关闭patch delete的model处理,否则会报错 */ @Target({ElementType.METHOD}) @Retention(RetentionPolicy.RUNTIME) @Documented public @interface AliasProcessor { } /** * 处理Get 请求参数的驼峰问题 * @author lw */ @Target(ElementType.FIELD) @Retentio

  • ajax请求添加自定义header参数代码

    我就废话不多说了,大家还是直接看代码吧~ $.ajax({ type: "post", url:"http://127.0.0.1:4564/bsky-app/template/testPost", contentType: "application/json;charset=utf-8", data :JSON.stringify({"bodyName":"sdfsdf","date"

  • Vue 请求传公共参数的操作

    我就废话不多说了,大家还是直接看代码吧~ // An highlighted block //http request拦截器 axios.interceptors.request.use( config =>{ const token = window.sessionStorage.getItem('Tk_token') const user_id=window.sessionStorage.getItem('Tk_user_id') // config.data = JSON.stringif

  • Spring MVC请求参数接收的全面总结教程

    前提 在日常使用SpringMVC进行开发的时候,有可能遇到前端各种类型的请求参数,这里做一次相对全面的总结.SpringMVC中处理控制器参数的接口是HandlerMethodArgumentResolver,此接口有众多子类,分别处理不同(注解类型)的参数,下面只列举几个子类: RequestParamMethodArgumentResolver:解析处理使用了@RequestParam注解的参数.MultipartFile类型参数和Simple类型(如long.int)参数. Reques

  • Spring MVC请求参数的深入解析

    请求参数解析 客户端请求在handlerMapping中找到对应handler后,将会继续执行DispatchServlet的doPatch()方法. 首先是找到handler对应的适配器. HandlerAdapter ha = getHandlerAdapter(mappedHandler.getHandler()); 进入到getHandlerAdapter(mappedHandler.getHandler())方法中 protected HandlerAdapter getHandler

  • Spring请求路径带参数URL使用注解的写法说明

    目录 Spring请求路径带参数URL使用注解的写法 正确写法: 错误写法: 小结: Spring注解@RequestMapping请求路径映射问题 Spring请求路径带参数URL使用注解的写法 调用外部平台http接口,Post请求,url 为路径带有参数的形式: http://xxxxxx.com/openApi/auth/getUserAuth?version=v1.0 使用 Retrofit 框架(本文使用的2.6.2版本)发送Post请求,可以在 @Post 注解中直接带上参数,如下

  • Spring cloud restTemplate 传递复杂参数的方式(多个对象)

    使用微服务的时候往往服务之间调用比较麻烦,spring cloud提供了Feign接口调用,RestTemplate调用的方式 这里我探讨下RestTemplate调用的方式: 服务A:接收三个对象参数  这三个参数的是通过数据库查询出来的 服务B:要调用服务A 服务B提供了查询三个参数的方法,后面要使用三个参数 对于服务A,处理的方式有两中 1. 服务B提供一个Feign接口将查询三个参数的方法公开,服务A直接引用Feign来查询参数,服务B只需要将三个查询关键字传递过去即可 服务A acti

  • Spring+Http请求+HttpClient实现传参

    一.HttpClient简介 HTTP 协议可能是现在 Internet 上使用得最多.最重要的协议了,越来越多的 Java 应用程序需要直接通过 HTTP 协议来访问网络资源.虽然在 JDK 的 java net包中已经提供了访问 HTTP 协议的基本功能,但是对于大部分应用程序来说,JDK 库本身提供的功能还不够丰富和灵活.HttpClient 是 Apache Jakarta Common 下的子项目,用来提供高效的.最新的.功能丰富的支持 HTTP 协议的客户端编程工具包,并且它支持 H

  • 如何使用Spring Validation优雅地校验参数

    引言 不知道大家平时的业务开发过程中 controller 层的参数校验都是怎么写的?是否也存在下面这样的直接判断? public String add(UserVO userVO) { if(userVO.getAge() == null){ return "年龄不能为空"; } if(userVO.getAge() > 120){ return "年龄不能超过120"; } if(userVO.getName().isEmpty()){ return &q

  • 基于spring mvc请求controller访问方式

    目录 spring mvc请求controller访问 1.一个Controller里含有不同的请求url 2.采用一个url访问 3.RequestMapping在Class上 4.在SpringMVC中常用的注解 springmvc请求一次,访问多个controller方法 举例 结论 spring mvc请求controller访问 1.一个Controller里含有不同的请求url @Controller //类似Struts的Action public class TestContro

随机推荐