我的Spring应用程序中有一个REST端点,如下所示
@RequestMapping(value="/customer/device/startDate/{startDate}/endDate/{endDate}", method=RequestMethod.GET, produces=MediaType.APPLICATION_JSON_VALUE) public PagegetDeviceListForCustomerBetweenDates(@PathVariable ZonedDateTime startDate, @PathVariable ZonedDateTime endDate, Pageable pageable) { ... code here ... }
我试过传递路径变量作为毫秒和秒.但是,我从两个方面得到以下异常:
"Failed to convert value of type 'java.lang.String' to required type 'java.time.ZonedDateTime'; nested exception is org.springframework.core.convert.ConversionFailedException: Failed to convert from type java.lang.String to type @org.springframework.web.bind.annotation.PathVariable java.time.ZonedDateTime for value '1446361200'; nested exception is java.time.format.DateTimeParseException: Text '1446361200' could not be parsed at index 10"
有人可以解释我如何传入(如秒或毫秒)字符串,如1446361200,并让它转换为ZonedDateTime?
或者是作为String传递然后自己进行转换的唯一方法?如果是这样,有一种通用的方法来处理具有类似设计的多种方法吗?
有一个默认的ZonedDateTime
参数转换器.它使用Java 8 DateTimeFormatter
创建的
DateTimeFormatter.ofLocalizedDateTime(FormatStyle.SHORT);
就你而言,这可能是任何FormatStyle
或任何真正的DateTimeFormatter
,你的例子不会有效.DateTimeFormatter
解析和格式化日期字符串,而不是时间戳,这是您提供的.
您可以@org.springframework.format.annotation.DateTimeFormat
为参数提供适当的自定义,例如
public PagegetDeviceListForCustomerBetweenDates( @PathVariable @DateTimeFormat(iso = DateTimeFormat.ISO.DATE_TIME) ZonedDateTime startDate, @PathVariable @DateTimeFormat(iso = DateTimeFormat.ISO.DATE_TIME) ZonedDateTime endDate, Pageable pageable) { ...
或者使用适当的pattern
和相应的日期字符串
2000-10-31T01:30:00.000-05:00
您将无法使用unix时间戳执行上述任何操作.在适当的情况下,ZonedDateTime
通过时间戳进行转换的规范方法是通过.Instant#ofEpochSecond(long)
ZoneId
long startTime = 1446361200L; ZonedDateTime start = Instant.ofEpochSecond(startTime).atZone(ZoneId.systemDefault()); System.out.println(start);
要使其工作@PathVariable
,请注册自定义Converter
.就像是
class ZonedDateTimeConverter implements Converter{ private final ZoneId zoneId; public ZonedDateTimeConverter(ZoneId zoneId) { this.zoneId = zoneId; } @Override public ZonedDateTime convert(String source) { long startTime = Long.parseLong(source); return Instant.ofEpochSecond(startTime).atZone(zoneId); } }
并将其注册在带注释的类中,覆盖WebMvcConfigurationSupport
@Configuration
addFormatters
@Override protected void addFormatters(FormatterRegistry registry) { registry.addConverter(new ZonedDateTimeConverter(ZoneId.systemDefault())); }
现在,Spring MVC将使用此转换器将String
路径段反序列化为ZonedDateTime
对象.
在Spring Boot中,我认为你可以@Bean
为相应的声明一个Converter
,它会自动注册它,但是不要接受我的话.
你会需要接受你传递什么@PathVariable
作为String
数据类型,然后自己做转换,您的错误日志很明确地告诉你.
不幸的是,Spring库无法将String值"1446361200"转换ZonedDateTime
为通过@PathVariable
绑定类型.