在使用@RequestParam注解的过程中,我们会发现spring会自动将请求的参数转换为我们指定的类型,这是如何实现的呢?
首先写一个简单的接口
@RequestMapping("/test")
@ResponseBody
public String test(@RequestParam Long id)
{
logger.info(id.toString());
return "";
}
从springmvc 参数绑定源码分析可知获取请求参数的核心方法为AbstractNamedValueMethodArgumentResolver
类的resolveArgument
,我们直接在此方法打断点
发送请求/test.do参数为id=1
执行到断点处,我们可以看到此时已经获取到值了
确认下参数类型为string
我们开始逐步调试,可以看到运行了
之后arg的类型就变成了我们指定的Long类,由此可知,参数转换的关键就在于WebDataBinder
类的convertIfNecessary
方法,
现在我们进入convertIfNecessary
方法
对应uml
最后进入TypeConverterDelegate
类的convertIfNecessary
方法,我们可以看到真正进行类型转换的方法conversionService.convert(newValue, sourceTypeDesc, typeDescriptor)
convertIfNecessary方法里有两个关键类PropertyEditor
和Converter
PropertyEditor
是spring3.0之前使用的转换器这边就简单介绍下
核心方法为setValue即放入初始值,getValue即获取目标值
注解式控制器注册PropertyEditor
@InitBinder
public void initBinder(WebDataBinder binder) throws Exception {
//注册自定义的属性编辑器
//1、日期
DateFormat df = new SimpleDateFormat("yyyy-MM-dd");
CustomDateEditor dateEditor = new CustomDateEditor(df, true);
//表示如果命令对象有Date类型的属性,将使用该属性编辑器进行类型转换
binder.registerCustomEditor(Date.class, dateEditor);
}
但是此方法只会在该类生效,下面介绍可以全局生效的转换器
spring3之后使用Converter
替代PropertyEditor
使用Converter
进行转换
public class StringToDateConverter implements Converter<String, Date> {
private DateFormat df;
public StringToDateConverter(String pattern) {
df = new SimpleDateFormat(pattern);
}
@Override
public Date convert(String source) {
if (StringUtils.hasText(source)) {
try {
return df.parse(source);
} catch (ParseException e) {
e.printStackTrace();
}
}
return null;
}
}
xml
<mvc:annotation-driven conversion-service="conversionService"/>
<bean id="conversionService"
class="org.springframework.format.support.FormattingConversionServiceFactoryBean">
<property name="converters">
<set>
<bean class="com.lialzm.conver.StringToDateConverter">
<constructor-arg>
<value>yyyy-MM-dd</value>
</constructor-arg>
</bean>
</set>
</property>
</bean>