在使用SpringMVC的時候,常常會遇到表單中的日期字符串和JavaBean的Date類型的轉換,而SpringMVC默認不支持這個格式的轉換,因此須要手動配置,自定義數據的綁定才能解決這個問題。
在須要日期轉換的Controller中使用SpringMVC的註解@initbinder
和Spring自帶的WebDateBinder
類來操做。
WebDataBinder是用來綁定請求參數到指定的屬性編輯器.因爲前臺傳到controller裏的值是String類型的,當往Model裏Set這個值的時候,若是set的這個屬性是個對象,Spring就會去找到對應的editor進行轉換,而後再SET進去。
代碼以下:web
@InitBinder public void initBinder(WebDataBinder binder) { SimpleDateFormat dateFormat = new SimpleDateFormat("yyyy-MM-dd"); dateFormat.setLenient(false); binder.registerCustomEditor(Date.class, new CustomDateEditor(dateFormat, true)); }
須要在SpringMVC的配置文件加上spring
<!-- 解析器註冊 --> <bean class="org.springframework.web.servlet.mvc.method.annotation.RequestMappingHandlerAdapter"> <property name="messageConverters"> <list> <ref bean="stringHttpMessageConverter"/> </list> </property> </bean> <!-- String類型解析器,容許直接返回String類型的消息 --> <bean id="stringHttpMessageConverter" class="org.springframework.http.converter.StringHttpMessageConverter"/>
換種寫法django
<mvc:annotation-driven> <mvc:message-converters> <bean class="org.springframework.http.converter.StringHttpMessageConverter"> <constructor-arg value="UTF-8"/> </bean> </mvc:message-converters> </mvc:annotation-driven>
拓展:
spring mvc在綁定表單以前,都會先註冊這些編輯器,Spring本身提供了大量的實現類,諸如CustomDateEditor ,CustomBooleanEditor,CustomNumberEditor等許多,基本上夠用。
使用時候調用WebDataBinder的registerCustomEditor方法
registerCustomEditor源碼:mvc
public void registerCustomEditor(Class<?> requiredType, PropertyEditor propertyEditor) { getPropertyEditorRegistry().registerCustomEditor(requiredType, propertyEditor); }
第一個參數requiredType是須要轉化的類型。
第二個參數PropertyEditor是屬性編輯器,它是個接口,以上提到的如CustomDateEditor等都是繼承了實現了這個接口的PropertyEditorSupport類。
咱們也能夠不使用他們自帶的這些編輯器類。
咱們能夠本身構造:app
import org.springframework.beans.propertyeditors.PropertiesEditor; public class DoubleEditor extends PropertyEditorSupport { @Override public void setAsText(String text) throws IllegalArgumentException { if (text == null || text.equals("")) { text = "0"; } setValue(Double.parseDouble(text)); } @Override public String getAsText() { return getValue().toString(); } }