好得很程序员自学网

<tfoot draggable='sEl'></tfoot>

Spring Boot深入分析讲解日期时间处理

GET请求及POST表单日期时间字符串格式转换

这种情况要和时间作为Json字符串时区别对待,因为前端json转后端pojo底层使用的是Json序列化Jackson工具( HttpMessgeConverter );而时间字符串作为普通请求参数传入时,转换用的是 Converter ,两者在处理方式上是有区别。

使用自定义参数转换器(Converter)

实现 org.springframework.core.convert.converter.Converter ,自定义参数转换器,如下:

?

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

@Configuration

public class DateConverterConfig {

     @Bean

     public Converter<String, LocalDate> localDateConverter() {

        return new Converter<String, LocalDate>() {

             @Override

             public LocalDate convert(String source) {

                 return LocalDate.parse(source, DateTimeFormatter.ofPattern( "yyyy-MM-dd" ));

             }

         };

     }

     @Bean

     public Converter<String, LocalDateTime> localDateTimeConverter() {

         return new Converter<String, LocalDateTime>() {

             @Override

             public LocalDateTime convert(String source) {

                 return LocalDateTime.parse(source, DateTimeFormatter.ofPattern( "yyyy-MM-dd HH:mm:ss" ));

             }

         };

     }

}

点评:以上两个bean会注入到spring mvc的参数解析器(好像叫做 ParameterConversionService ),当传入的字符串要转为LocalDateTime类时,spring会调用该Converter对这个入参进行转换。

注意:关于自定义的参数转换器 Converter,这有个坑,若将上面匿名内部类的写法精简成lambda表达式的方式:

?

1

2

3

4

5

@Bean

  @ConditionalOnBean (name = "requestMappingHandlerAdapter" )

  public Converter<String, LocalDate> localDateConverter() {

      return source -> LocalDate.parse(source, DateTimeFormatter.ofPattern(DEFAULT_DATE_FORMAT));

  }

当再次启动项目时会出现异常:

Caused by: java.lang.IllegalArgumentException: Unable to determine source type <S> and target type <T> for your Converter [com.example.demo126.config.MappingConverterAdapter$$Lambda$522/817994751]; does the class parameterize those types?

是由于:

web项目启动注册 requestMappingHandlerAdapter 的时候会初始化 WebBindingInitializer

?

1

adapter.setWebBindingInitializer(getConfigurableWebBindingInitializer());

而 ConfigurableWebBindingInitializer 需要 FormattingConversionService, 而 FormattingConversionService 会将所有的 Converter 添加进来,添加的时候需要获取泛型信息:

?

1

2

3

4

5

6

7

8

9

10

11

12

@Override

public void addFormatters(FormatterRegistry registry) {

     for (Converter<?, ?> converter : getBeansOfType(Converter. class )) {

        registry.addConverter(converter);

     }

     for (GenericConverter converter : getBeansOfType(GenericConverter. class )) {

        registry.addConverter(converter);

     }

     for (Formatter<?> formatter : getBeansOfType(Formatter. class )) {

        registry.addFormatter(formatter);

     }

}

添加Converter.class 一般是通过接口获取两个泛型的具体类型

?

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

public ResolvableType as(Class<?> type) {

     if ( this == NONE) {

       return NONE;

     }

     Class<?> resolved = resolve();

     if (resolved == null || resolved == type) {

       return this ;

     }

     for (ResolvableType interfaceType : getInterfaces()) {

       ResolvableType interfaceAsType = interfaceType.as(type);

       if (interfaceAsType != NONE) {

         return interfaceAsType;

       }

     }

     return getSuperType().as(type);

}

Lambda表达式的接口是Converter,并不能得到具体的类型,既然如此,那解决办法:

最简单的方法就是不适用Lambda表达式,还使用匿名内部类,这样就不会存在上述问题 就是等 requestMappingHandlerAdapterbean 注册完成之后再添加自己的converter就不会注册到 FormattingConversionService 中

?

1

2

3

4

5

@Bean

@ConditionalOnBean (name = "requestMappingHandlerAdapter" )

public Converter<String, LocalDateTime> localDateTimeConverter() {

   return source -> LocalDateTime.parse(source, DateTimeUtils.DEFAULT_FORMATTER);

}

还可以对前端传递的string进行正则匹配,如yyyy-MM-dd HH:mm:ss、yyyy-MM-dd、 HH:mm:ss等,进行匹配。以适应多种场景。

?

1

2

3

4

5

6

7

8

9

10

11

12

13

14

@Component

public class DateConverter implements Converter<String, Date> {

     @Override

     public Date convert(String value) {

         /**

          * 可对value进行正则匹配,支持日期、时间等多种类型转换

          * 这里在匹配Date日期格式时直接使用了 hutool 为我们已经写好的解析工具类,这里就不重复造轮子了

          * cn.hutool.core.date.DateUtil

          * @param value

          * @return

          */

         return DateUtil.parse(value.trim());

     }

}

注:这里在匹配Date日期格式时直接使用了 hutool 为我们已经写好的解析工具类,这里就不重复造轮子了,下面的方法同样使用了该工具类,想要在自己的项目中使用该工具类也很简单,在项目pom文件中引入hutool的依赖就可以了,如下:

?

1

2

3

4

5

6

<!--hu tool 工具类-->

< dependency >

   < groupId >cn.hutool</ groupId >

   < artifactId >hutool-all</ artifactId >

   < version >5.1.3</ version >

</ dependency >

使用Spring注解

使用spring自带注解 @DateTimeFormat(pattern = "yyyy-MM-dd") ,如下:

?

1

2

@DateTimeFormat (pattern = "yyyy-MM-dd" )

private Date startDate;

如果使用了自定义参数转化器,Spring会优先使用该方式进行处理,即Spring注解不生效。

使用ControllerAdvice配合initBinder

?

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

@ControllerAdvice

public class GlobalExceptionHandler {

     @InitBinder

     protected void initBinder(WebDataBinder binder) {

         binder.registerCustomEditor(LocalDate. class , new PropertyEditorSupport() {

             @Override

             public void setAsText(String text) throws IllegalArgumentException {

                 setValue(LocalDate.parse(text, DateTimeFormatter.ofPattern( "yyyy-MM-dd" )));

             }

         });

         binder.registerCustomEditor(LocalDateTime. class , new PropertyEditorSupport() {

             @Override

             public void setAsText(String text) throws IllegalArgumentException {

                 setValue(LocalDateTime.parse(text, DateTimeFormatter.ofPattern( "yyyy-MM-dd HH:mm:ss" )));

             }

         });

         binder.registerCustomEditor(LocalTime. class , new PropertyEditorSupport() {

             @Override

             public void setAsText(String text) throws IllegalArgumentException {

                 setValue(LocalTime.parse(text, DateTimeFormatter.ofPattern( "HH:mm:ss" )));

             }

         });

     }

}

从名字就可以看出来,这是在controller做环切(这里面还可以全局异常捕获),在参数进入handler之前进行转换;转换为我们相应的对象。

JSON入参及返回值全局处理

请求类型为: post,content-type=application/json , 后台用 @RequestBody 接收,默认接收及返回值格式为: yyyy-MM-dd HH:mm:ss

修改 application.yml 文件

在application.propertities文件中增加如下内容:

spring:
 jackson:
  date-format: yyyy-MM-dd HH:mm:ss
  time-zone: GMT+8

支持 (content-type=application/json) 请求中格式为 yyyy-MM-dd HH:mm:ss 的字符串,后台用 @RequestBody 接收,及返回值date转为 yyyy-MM-dd HH:mm:ss 格式string;

不支持( content-type=application/json )请求中 yyyy-MM-dd 等类型的字符串转为 date ; 不支持 java8 日期 api ;

利用Jackson的JSON序列化和反序列化

?

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

25

26

27

28

29

30

31

32

33

34

35

36

37

@Configuration

public class JacksonConfig {

     /** 默认日期时间格式 */

     public static final String DEFAULT_DATE_TIME_FORMAT = "yyyy-MM-dd HH:mm:ss" ;

     /** 默认日期格式 */

     public static final String DEFAULT_DATE_FORMAT = "yyyy-MM-dd" ;

     /** 默认时间格式 */

     public static final String DEFAULT_TIME_FORMAT = "HH:mm:ss" ;

     @Bean

     public MappingJackson2HttpMessageConverter mappingJackson2HttpMessageConverter() {

         MappingJackson2HttpMessageConverter converter = new MappingJackson2HttpMessageConverter();

         ObjectMapper objectMapper = new ObjectMapper();

         // 忽略json字符串中不识别的属性

         objectMapper.configure(DeserializationFeature.FAIL_ON_UNKNOWN_PROPERTIES, false );

         // 忽略无法转换的对象

         objectMapper.configure(SerializationFeature.FAIL_ON_EMPTY_BEANS, false );

         // PrettyPrinter 格式化输出

         objectMapper.configure(SerializationFeature.INDENT_OUTPUT, true );

         // NULL不参与序列化

         objectMapper.setSerializationInclusion(JsonInclude.Include.NON_NULL);

         // 指定时区

         objectMapper.setTimeZone(TimeZone.getTimeZone( "GMT+8:00" ));

         // 日期类型字符串处理

         objectMapper.setDateFormat( new SimpleDateFormat(DEFAULT_DATE_TIME_FORMAT));

         // java8日期日期处理

         JavaTimeModule javaTimeModule = new JavaTimeModule();

         javaTimeModule.addSerializer(LocalDateTime. class , new LocalDateTimeSerializer(DateTimeFormatter.ofPattern(DEFAULT_DATE_TIME_FORMAT)));

         javaTimeModule.addSerializer(LocalDate. class , new LocalDateSerializer(DateTimeFormatter.ofPattern(DEFAULT_DATE_FORMAT)));

         javaTimeModule.addSerializer(LocalTime. class , new LocalTimeSerializer(DateTimeFormatter.ofPattern(DEFAULT_TIME_FORMAT)));

         javaTimeModule.addDeserializer(LocalDateTime. class , new LocalDateTimeDeserializer(DateTimeFormatter.ofPattern(DEFAULT_DATE_TIME_FORMAT)));

         javaTimeModule.addDeserializer(LocalDate. class , new LocalDateDeserializer(DateTimeFormatter.ofPattern(DEFAULT_DATE_FORMAT)));

         javaTimeModule.addDeserializer(LocalTime. class , new LocalTimeDeserializer(DateTimeFormatter.ofPattern(DEFAULT_TIME_FORMAT)));

         objectMapper.registerModule(javaTimeModule);

         converter.setObjectMapper(objectMapper);

         return converter;

     }

}

总结

支持( content-type=application/json) 请求中格式为 yyyy-MM-dd HH:mm:ss 的字符串,后台用@RequestBody接收,及返回值Date转为 yyyy-MM-dd HH:mm:ss 格式String;

支持 java8 日期 api ; 不支持 (content-type=application/json) 请求中 yyyy-MM-dd 等类型的字符串转为 Date ; 以上两种方式为JSON入参的全局化处理,推荐使用方式二,尤其适合大型项目在基础包中全局设置。

到此这篇关于Spring Boot深入分析讲解日期时间处理的文章就介绍到这了,更多相关Spring Boot日期时间内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!

原文链接:https://blog.csdn.net/qq_45228323/article/details/124994647

查看更多关于Spring Boot深入分析讲解日期时间处理的详细内容...

  阅读:24次