首页 > 解决方案 > 通过 XMLJavaTypeAdapter 处理自定义 LocalDateTime

问题描述

我正在使用 XMLAdapter 将请求正文中的值解析为 LocalDateTime。有什么方法可以为它创建自定义异常,尤其是 DateTimeParseException?


public class LocalDateTimeAdapter extends XmlAdapter<String, LocalDateTime> {
final DateTimeFormatter formatter = DateTimeFormatter.ofPattern("yyyy/MM/dd HH:mm:ss");

    @Override
    public String marshal(LocalDateTime v) throws Exception {
        return v.format(formatter);
    }

    @Override
    public LocalDateTime unmarshal(String v) throws Exception {
        return LocalDateTime.parse(v, formatter);
    }

}

@JsonFormat(shape = Shape.STRING, pattern = "yyyy/MM/dd HH:mm:ss")
@JsonDeserialize(using = CustomDateDeserializer.class)
@JsonProperty("ge")
@XmlElement(name = "ge")
@XmlJavaTypeAdapter(LocalDateTimeAdapter.class)
private LocalDateTime ge;

@JsonFormat(shape = Shape.STRING, pattern = "yyyy/MM/dd HH:mm:ss")
@JsonDeserialize(using = CustomDateDeserializer.class)
@JsonProperty("le")
@XmlElement(name = "le")
@XmlJavaTypeAdapter(LocalDateTimeAdapter.class)
private LocalDateTime le;

标签: xmljaxbjava-time

解决方案


为了处理自定义异常,我在 XMLAdapter 之上创建了自己的 LocalDateTime 验证器。验证是如果对象为空,则表示在 XMLAdapter 期间发生了 DateTimeParseException。


public class LocalDateTimeFormatValidator implements ConstraintValidator<LocalDateTimeFormat, Object> {

    @Override
    public boolean isValid(Object value, ConstraintValidatorContext context) {
        if (value != null) {
            return true;
        } else {
            throw new <YourException>(StringUtils.EMPTY, "Your Message");
        }
    }

}

@Target(ElementType.FIELD)
@Retention(RetentionPolicy.RUNTIME)
@Constraint(validatedBy = LocalDateTimeFormatValidator.class)
public @interface LocalDateTimeFormat {
    String message() default "Invalid  Date format.";

    Class<?>[] groups() default {};

    Class<? extends Payload>[] payload() default {};
}

@JsonFormat(shape = Shape.STRING, pattern = "yyyy/MM/dd HH:mm:ss")
@JsonDeserialize(using = CustomDateDeserializer.class)
@JsonProperty("ge")
@LocalDateTimeFormat
@XmlElement(name = "ge", nillable = true)
@XmlJavaTypeAdapter(LocalDateTimeAdapter.class)
private LocalDateTime ge;

@JsonFormat(shape = Shape.STRING, pattern = "yyyy/MM/dd HH:mm:ss")
@JsonDeserialize(using = CustomDateDeserializer.class)
@JsonProperty("le")
@LocalDateTimeFormat
@XmlElement(name = "le", nillable = true)
@XmlJavaTypeAdapter(LocalDateTimeAdapter.class)
private LocalDateTime le;

推荐阅读