深入理解Spring MVC的数据转换
本文主要给大家介绍了关于spring mvc数据转换的相关内容,分享出来供大家参考学习,下面话不多说了,来一起看看详细的介绍吧。
数据绑定
springmvc负责将request中的信息以一定的方式转换并绑定到处理方法的参数上。整个过程的处理核心是由databinder完成。转换流程如下:
1.databinder从servletrequest中获取参数信息;
2.databinder获取处理方法的参数;
3.databinder调用conversionservice组件数据类型转换和数据格式化工作,并将转化结果填充到参数对象中;
4.databinder调用validator组件进行数据的校验工作;
5.经历以上步骤后,databinder将生成binderresult对象,binderresult中包含转换后的信息,也包含校验后的错误信息。
数据转换
在java语言中,在java.beans包中提供了一个propertyeditor接口来进行数据转换,propertyeditor的核心功能是将一个string转换为一个java对象。spring从3.0开始添加一个通用的类型转换模块即为org.springframework.convert包中,conversionservice是org.springframework.convert包的核心组件,可以通过使用conversionservicefactorybean在spring的上下文中自定义一个conversionservice,spring将自动识别这个conversionservice,并在springmvc进行参数转换时使用,配置例子如下所示:
<bean id="conversionservice" class="org.springframework.context.support.conversionservicefactorybean"> <property name="converters"> <list> <bean class="org.xx..stringtodateconverter" /> </list> </property> </bean>
springmvc在支持新的转换器框架的同时,也支持javabeans的propertyeditor,可以在控制器中使用@initbinder添加自定义的编辑器。
举例如下:
@controller public class databindertestcontroller { @requestmapping(value = "/databind") public string test(databindertestmodel command) { ...... } @initbinder public void iniibinder(webdatabinder binder){ simpledateformat format = new simpledateformat("yyyy-mm-dd"); format.setlenient(false); binder.registercustomeditor(date.class, new customdateeditor(format, false)); } }
各种转换器的优先顺序:
1.查询通过@initbinder自定义的编辑器;
2.查询通过conversionservice装配的自定义转换器;
3.查询通过webbindinginitializer接口装配的全局自定义编辑器。
formater
除了org.springframework.core.convert.converter接口中定义的三种类型的转换器接口,springmvc在org.springframework.format包中还提供了一些格式化转换接口,format和converter的最大的区别是,converter实现的是object到object的转换,而format实现的是从string到object的转换,format包中最重要的接口是formater,formater的使用示例如下所示:
public class dateformatter extends formatter<date>{ private string datepattern; private simpledateformat dateformat; public dateformatter(string datepattern){ this.datepattern=datepattern; this.dateformat=new simpledateformat(datepattern); } public string pring(date,locale locale){ return dateformat.format(date); } public date parse(string source,locale locale) throws parseexception{ try{ return dateformat.parse(source); }catch(exception e){ ...... } } }
最后再将dateformatter注入到conversionservice中,注入方式和converter的注入方式一样,也可由此发现,conversionservice是数据转换的核心。
format的注解
在org.springframework.format.annotation包中定义了两个注解,@datetimeformat和@numberformat 这两个注解可以用在domain中的属性上,springmvc处理方法参数绑定数据、模型数据输出时会自动通过注解应用格式化的功能。
总结
以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作具有一定的参考学习价值,如果有疑问大家可以留言交流,谢谢大家对的支持。