SpringMVC自定义类型转换器

我们在使用SpringMVC时,常常需要把表单中的参数映射到我们对象的属性中,我们可以在默认的spring-servlet.xml加上如下的配置即可做到普通数据类型的转换,如将String转换成Integer和Double等:

  

其实 标签会默认创建并注册一个 RequestMappingHandlerMapping(在Spring3.2之前是DefaultAnnotationHandlerMapping) 和 RequestMappingHandlerAdapter (Spring3.2之前是AnnotationMethodHandlerAdapter),当然,如果上下文有对应的显示实现类,将该注解注册的覆盖掉。该注解还会创建一个ConversionService,即 FormattingConversionServiceFactoryBean
如果想把一个字符串转换成指定的日期格式,spring没有提供这样默认的功能,我们需要自定义类型转换器。

规定将字符串转换成日期类的格式为: yyyyMMdd,那么接下来就写一个类型转换器,需要实现一个接口org.springframework.core.convert.converter.Converter

package com.howick.springmvc.converter;

import java.text.ParseException;
import java.text.SimpleDateFormat;
import java.util.Date;

import org.springframework.core.convert.converter.Converter;

public class DateTypeConverter implements Converter{
    //泛型S表示source源类型 ,T表示target目标类型
    @Override
    public Date convert(String source) {  
        Date date=null;//声明返回类型
        
        if(source!=null||!"".equals(source))
        {
            //source--date
            SimpleDateFormat sdf=new SimpleDateFormat("yyyyMMdd");//这里指定的模式和客户端提交的数据模式要一样
            try {
                date=sdf.parse(source);
            } catch (ParseException e) {
                e.printStackTrace();
            }
        }
        return date;
    }
    
    
}

接下来编写控制器

package com.howick.springmvc.controller;

import java.util.Date;

import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestParam;

@Controller
public class UserController {
    
    @RequestMapping("/test.do")
    public void test(@RequestParam(value="id")Integer ids,
            @RequestParam(value="username")String usernames,Date birthday)
    {
        System.out.println("ids:"+ids);
        System.out.println("usernames:"+usernames);
        System.out.println("birthday:"+birthday);
    }

}

这里可以看到,参数的名字为birthday,所以要为请求定义一个birthday参数,该参数传入需要转换的字符串
除此之外,我们还需要在springmvc配置文件中配置,如下内容。让转换器生效


  
    
    
    
    
    
    
        
        
    

    
    
        
            
                 
                    
                 
         
    

也可以使用配置ConversionServiceFactoryBean。虽然可以这样,但不建议。我们通常用

为什么要这样用呢?这样用的好处是什么呢?
  使用FormattingConversionServiceFactoryBean可以让SpringMVC支持@NumberFormat@DateTimeFormat等Spring内部自定义的转换器。

你可能感兴趣的:(SpringMVC自定义类型转换器)