application.yml
配置:
jackson:
date-format: yyyy-MM-dd
timestamp-format:yyyy-MM-dd HH:mm:ss
serialization:
write-dates-as-timestamps: false
Bean属性:
@Entity
@Column(nullable = false)
@GeneratedValue(strategy=GenerationType.IDENTITY)
@Temporal(TemporalType.DATE)
private Date date_created;
@Column(nullable = false)
@GeneratedValue(strategy=GenerationType.IDENTITY)
@Temporal(TemporalType.TIMESTAMP)
private Date reg_date;
我将所有Date
字段都设置为java.util.Date
类型,它们以yyyy-MM-dd
格式接收日期
和时间戳类型(yyyy-MM-dd HH:mm:ss
)根据请求参数样式(yyyy-MM-dd
或yyyy-MM-dd HH:mm:ss
)
在使用timestamp
时,我发现了{Temporal(TemporalType.Date
或Timestamp
),它是由DB Type
映射的。
日期和时间戳格式正确存储为yyyy-MM-dd
或yyyy-MM-dd HH:mm:ss.sss
RestController
类:
@PostMapping("/")
public ResponseEntity<Object> create(@RequestBody CreateVO createVO, HttpServletRequest request) {
System.out.println("planned_date> "+createVO.getDate_planned_start());
System.out.println("regdate> "+createVO.getReg_date());
}
设置为:
planned_date> Wed Mar 20 09:00:00 KST 2019 // Date Result
regdate> Mon Oct 01 16:45:00 KST 2012 //Timestamp Result
但是,我在RestController Date
中收到的格式与我预期的格式不同。
有什么解决方法可以在yyyy-MM-dd
中接收yyyy-MM-dd HH:mm:ss
和Controller
?
我也想知道application.yml
的设置。因为我不确定如何设置时间戳格式。
答案 0 :(得分:1)
首先,Date.toString
方法会产生误导性的输出,我们不应该依赖它。简单的例子:
SimpleDateFormat dateToStringFormat = new SimpleDateFormat("EEE MMM dd HH:mm:ss Z yyyy", new Locale("us"));
Date parsed = dateToStringFormat.parse("Wed Mar 20 09:00:00 KST 2019");
System.out.println("Default toString: " + parsed);
dateToStringFormat.setTimeZone(TimeZone.getTimeZone("Asia/Seoul"));
System.out.println("With 'Asia/Seoul' TZ: " + dateToStringFormat.format(parsed));
dateToStringFormat.setTimeZone(TimeZone.getTimeZone("Chile/Continental"));
System.out.println("With 'Chile/Continental' TZ: " + dateToStringFormat.format(parsed));
打印:
Default toString: Wed Mar 20 01:00:00 CET 2019
With 'Asia/Seoul' TZ: Wed Mar 20 09:00:00 +0900 2019
With 'Chile/Continental' TZ: Tue Mar 19 21:00:00 -0300 2019
如您所见,我解析了示例日期Wed Mar 20 09:00:00 KST 2019
,并使用toString
方法进行打印,并使用两个不同的时区进行了格式设置。因此,每个人都看到日期和他的时区。进一步了解:
我们无法像您建议的那样在配置中定义日期模式。查看可用的Jackson
configuration options here。
您可以使用com.fasterxml.jackson.annotation.JsonFormat
注释配置格式。由于Java 8
可用,因此我们应该将java.time.*
类用于与时间相关的属性。示例POJO
类可能会这样:
import com.fasterxml.jackson.annotation.JsonFormat;
import java.time.LocalDate;
import java.time.LocalDateTime;
import java.time.MonthDay;
public class RequestPayload {
@JsonFormat(pattern = "MM/dd")
private MonthDay md;
@JsonFormat(pattern = "yyyy-MM-dd")
private LocalDate date;
@JsonFormat(pattern = "yyyy-MM-dd HH:mm:ss")
private LocalDateTime dateTime;
// getters, setters, toString
}
要使其正常运行,我们需要注册JavaTimeModule
模块:
@Bean
public Jackson2ObjectMapperBuilder objectMapperBuilder() {
Jackson2ObjectMapperBuilder builder = new Jackson2ObjectMapperBuilder();
builder.modules(new JavaTimeModule());
return builder;
}
如果您可以将Bean
属性更改为java.time.*
类,只需将这些日期从Controller
传播到DB
。在其他情况下,请参见以下问题:Converting between java.time.LocalDateTime and java.util.Date。