我们需要对传来的参数做什么处理?
1.规则校验(哪些参数必须传入,哪些参数不能一起使用,哪些参数不能传入,等等)
2.对字符串类型的参数做trim处理
注意,接收前端参数的实体类不会为null,即使你未传入任何参数,通常情况下,Spring MVC 会在请求处理时创建一个新的 AesBusAesMappingDTO 实例,并将其注入到 queryDataMapping 方法中。因此,在正常的请求处理流程中,aesBusAesMappingDTO 不会为 null。
方式1,控制层手动一个一个去除空格
java
@RequestMapping(value="/query", method = RequestMethod.GET)
@ResponseBody
public ResultModel queryDataMapping(@ModelAttribute AesBusAesMappingDTO aesBusAesMappingDTO, PageHelper ph) {
//对前端传来的字符串参数做前导和后置空格去除,前端未传的null不用处理。
if(aesBusAesMappingDTO.getCodeId() != null) aesBusAesMappingDTO.setCodeId(aesBusAesMappingDTO.getCodeId().trim());
if(aesBusAesMappingDTO.getBusValue() != null) aesBusAesMappingDTO.setBusValue(aesBusAesMappingDTO.getBusValue().trim());
if(aesBusAesMappingDTO.getBusName() != null) aesBusAesMappingDTO.setBusName(aesBusAesMappingDTO.getBusName().trim());
if(aesBusAesMappingDTO.getBusValue2() != null) aesBusAesMappingDTO.setBusValue2(aesBusAesMappingDTO.getBusValue2().trim());
if(aesBusAesMappingDTO.getBusName2() != null) aesBusAesMappingDTO.setBusName2(aesBusAesMappingDTO.getBusName2().trim());
ResultModel rm = new ResultModel();
DataGrid dg = dataMappingService.queryDataMapping(aesBusAesMappingDTO, ph);
return rm.ok(dg);
}
方式2,自定义注解+AOP+反射
自定义注解和 AOP+反射
java
自定义注解
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
@Retention(RetentionPolicy.RUNTIME)
public @interface TrimFields {
}
创建 AOP 切面
这里为什么用反射?,因为用正常的方式无法遍历实体类的每一个属性,并判断
java
@Aspect
@Component
public class TrimFieldsAspect {
@Before("@annotation(TrimFields)")
public void trimFields(JoinPoint joinPoint) throws IllegalAccessException {
// 获取方法参数
Object[] args = joinPoint.getArgs();
// 遍历方法参数
for (Object arg : args) {
if (arg != null && !isCustomObject(arg)) {
trimObjectFields(arg);
}
}
}
// 判断对象是否是自定义对象,而不是基本类型或封装类
private boolean isCustomObject(Object object) {
// 基本类型和封装类型的检查
return (object.getClass().isPrimitive() ||
object instanceof String ||
object instanceof Integer ||
object instanceof Long ||
object instanceof Double ||
object instanceof Float ||
object instanceof Boolean ||
object instanceof Character ||
object instanceof Byte ||
object instanceof Short);
}
private void trimObjectFields(Object object) throws IllegalAccessException {
Class<?> clazz = object.getClass();
Field[] fields = clazz.getDeclaredFields();
for (Field field : fields) {
if (field.getType().equals(String.class)) {
field.setAccessible(true);
String value = (String) field.get(object);
if (value != null) {
field.set(object, value.trim());
}
}
}
}
}
java
在方法上使用注解
@RequestMapping(value="/query", method = RequestMethod.GET, produces = {"application/json;charset=UTF-8"})
@ResponseBody
@TrimFields
public ResultModel queryDataMapping(@ModelAttribute Object parameterObject, PageHelper ph) {
ResultModel rm = new ResultModel();
DataGrid dg = dataMappingService.queryDataMapping(parameterObject, ph);
return rm.ok(dg);
}