如何使用Spring Boot将日期值绑定到YAML属性的Java映射键中?
YAML属性文件:
settings:
calendar:
2018-06-04: 2018-06-25
2018-07-15: 2018-07-20
属性类:
calendar
地图的目的是从一个日期转换为另一个日期。
@ConfigurationProperties(prefix = "settings")
public class CalendarSettings {
@DateTimeFormat(pattern = "yyyy-MM-dd")
private Map<LocalDate, LocalDate> calendar = new HashMap<>();
public Map<LocalDate, LocalDate> getCalendar() {
return calendar;
}
public void setCalendar(
Map<LocalDate, LocalDate> calendar) {
this.calendar = calendar;
}
}
通过此设置,我收到以下异常:
Property: settings.null
Value: 2018-06-04
Reason: Failed to convert property value of type 'java.lang.String' to required type 'java.time.LocalDate' for property 'null';
nested exception is java.lang.IllegalStateException: Cannot convert value of type 'java.lang.String' to required type 'java.time.LocalDate':
no matching editors or conversion strategy found
我正在努力解决如何在CalendarSettings.class
中注释日历属性 - 如果有可能的话。或者如何创建某种反序列化器。
答案 0 :(得分:3)
如果在调试模式下运行应用程序,则可能会看到抛出以下异常:
Caused by: java.time.format.DateTimeParseException: Text '2018-06-04' could not be parsed at index 4
at java.time.format.DateTimeFormatter.parseResolved0(DateTimeFormatter.java:1949) ~[na:1.8.0_162]
at java.time.format.DateTimeFormatter.parse(DateTimeFormatter.java:1851) ~[na:1.8.0_162]
at java.time.LocalDate.parse(LocalDate.java:400) ~[na:1.8.0_162]
at org.springframework.format.datetime.standard.TemporalAccessorParser.parse(TemporalAccessorParser.java:69) ~[spring-context-5.0.6.RELEASE.jar:5.0.6.RELEASE]
at org.springframework.format.datetime.standard.TemporalAccessorParser.parse(TemporalAccessorParser.java:46) ~[spring-context-5.0.6.RELEASE.jar:5.0.6.RELEASE]
at org.springframework.format.support.FormattingConversionService$ParserConverter.convert(FormattingConversionService.java:200) ~[spring-context-5.0.6.RELEASE.jar:5.0.6.RELEASE]
此失败的原因是默认解析器(TemporalAccessorParser
)使用本地化日期转换器将String
映射到LocalDate
。要解决此问题,您可以编写自己的转换器:
@Component
@ConfigurationPropertiesBinding
public class LocalDateConverter implements Converter<String, LocalDate> {
@Override
public LocalDate convert(String timestamp) {
return LocalDate.parse(timestamp);
}
}
如果使用@ConfigurationPropertiesBinding
注释注册此组件,则在解析应用程序属性时将会拾取该组件。 LocalDate.parse(CharSequence)
方法使用ISO_LOCAL_DATE
转换器,在您的情况下应该可以正常工作。