一般在SpringBoot项目中有下面两种方式进行时间格式化:
- 局部时间格式化
- 全局时间格式化
1.局部格式化
在实体类中,哪些字段需要进行时间格式化的话,加上@JsonFormat注解即可:
@TableField("start_time")
@JsonFormat(timezone = "GMT+8",pattern = "yyyy-MM-dd")
private Date startTime;
用上面方式可以解决问题,但是如果每个实体类都需要这样打注解的话,会非常繁琐
此时我们可以使用全局日期时间格式化,看下面介绍:
2.全局格式化(推荐使用)
在需要全局格式化的SpringBoot项目中,新建如下配置类:
package cn.itsource.config.date;
import com.fasterxml.jackson.databind.SerializationFeature;
import com.fasterxml.jackson.datatype.jsr310.ser.LocalDateTimeSerializer;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.boot.autoconfigure.jackson.Jackson2ObjectMapperBuilderCustomizer;
import org.springframework.boot.jackson.JsonComponent;
import org.springframework.context.annotation.Bean;
import java.text.DateFormat;
import java.text.SimpleDateFormat;
import java.time.LocalDateTime;
import java.time.format.DateTimeFormatter;
import java.util.TimeZone;
/**
* @description: 日期时间全局格式化
* @auth: wujiangbo
* @date: 2022-01-21 16:38
*/
@JsonComponent
public class LocalDateTimeSerializerConfig {
@Value("${spring.jackson.date-format:yyyy-MM-dd HH:mm:ss}")
private String pattern;
/**
* Date 类型全局时间格式化
*/
@Bean
public Jackson2ObjectMapperBuilderCustomizer jackson2ObjectMapperBuilder() {
return builder -> {
TimeZone tz = TimeZone.getTimeZone("UTC");//获取时区
DateFormat df = new SimpleDateFormat(pattern);//设置格式化模板
df.setTimeZone(tz);
builder.failOnEmptyBeans(false)
.failOnUnknownProperties(false)
.featuresToDisable(SerializationFeature.WRITE_DATES_AS_TIMESTAMPS)
.dateFormat(df);
}; }
/**
* LocalDate 类型全局时间格式化
*/
@Bean
public LocalDateTimeSerializer localDateTimeDeserializer() {
return new LocalDateTimeSerializer(DateTimeFormatter.ofPattern(pattern));
}
@Bean
public Jackson2ObjectMapperBuilderCustomizer jackson2ObjectMapperBuilderCustomizer() {
return builder -> builder.serializerByType(LocalDateTime.class, localDateTimeDeserializer());
}
}
就这样就OK了
但有同学就要问了,这样设置的话,那岂不是所有的字段都格式化成:yyyy-MM-dd HH:mm:ss 格式了吗,万一我页面需要展示:yyyy-MM-dd 格式呢?
不要慌,这时就可以配合第一种@JsonFormat(timezone = “GMT+8”,pattern = “yyyy-MM-dd”)联合使用了,哪些字段需要特殊对待的,就可以单独使用这个@JsonFormat注解进行处理了
nice,非常好用