我希望通过仅允许请求中的两个不同字段之一来实现对Web服务请求的字段验证。我从过去使用xsd的经验中了解到,你可以使用这样的东西来只允许FieldOne 或 FieldTwo:
<xs:complexType name="SomeType">
<xs:choice>
<xs:element name="FieldOne" type="target:FieldOneType"/>
<xs:element name="FieldTwo" type="target:FieldTwoType"/>
</xs:choice>
</xs:complexType>
我想使用Java注释做同样的事情。我目前正在使用注释来限制字段长度(@Digits)和空值检查(@NotNull)。
我可以用什么来做出选择&#39;
感谢您的帮助。
更新:基本上我正在寻找一种方法,只允许在Web服务请求中输入两个不同字段中的一个,而无需手动在我的代码中进行此验证。我目前正在使用bean validation annotations来限制字段长度并确定字段是强制的还是可选的,例如:
@NotNull(message="Field cannot be empty")
@Size(max = 6, message = "Field length is too long")
private String fieldOne;
我希望能够说用户只能输入 fieldOne或fieldTwo,但不能同时输入两者。这可能是通过注释还是我坚持在我的代码中写这个验证?
答案 0 :(得分:1)
<强>编辑:强>
要验证一个字段是否有值而不是其他字段,我认为您可以在类级别使用自定义验证器。以下是这个想法:
1。 为注释创建界面:
@Target({ElementType.TYPE, ElementType.ANNOTATION_TYPE})
@Retention(RetentionPolicy.RUNTIME)
@Constraint(validatedBy = ChoiceValidator.class)
@Documented
public @interface Choice {
String[] fields();
String message() default "{Choice.message}";
Class<?>[] groups() default {};
Class<? extends Payload>[] payload() default {};
}
2。
创建ConstraintValidator
的实现,以检查要验证的值位于fields
注释Choice
内:
public class ChoiceValidator
implements ConstraintValidator<Choice, Object> {
private List<String> fields;
@Override
public void initialize(final Choice choice) {
fields = Arrays.asList(choice.fields());
}
@Override
public boolean isValid(final Object value, final ConstraintValidatorContext ctx) {
int nonNullFieldCount = 0;
for (String field : fields) {
try {
final String fieldValue = BeanUtils.getProperty(value, field);
if (fieldValue != null) {
nonNullFieldCount++;
}
} catch (IllegalAccessException e) {
throw new RuntimeException(e);
} catch (InvocationTargetException e) {
throw new RuntimeException(e);
} catch (NoSuchMethodException e) {
throw new RuntimeException(e);
}
}
return nonNullFieldCount == 1;
}
}
之后,你可以使用它:
@Choice(fields= {"fieldOne", "fieldTwo"})
public class Foo {
String fieldOne;
String fieldTwo;
}
<强>原始强>
我不确定我是否真的让您理解,但看起来您希望对Class
字段的Object
类型进行验证。如果出现这种情况,您可以尝试创建自定义注释,并ConstraintValidator
执行此操作。以下是这个想法:
1。 为注释创建界面:
public @interface Choice {
Class<?>[] types();
}
2。
创建ConstraintValidator
的实现,以检查要验证的值位于types
注释Choice
内:
public class ChoiceValidator implements ConstraintValidator<Choice, Object> {
private List<Class<?>> clazzes;
@Override
public void initialize(Choice choice) {
clazzes = Arrays.asList(choice.types());
}
@Override
public boolean isValid(Object value, ConstraintValidatorContext context) {
for (Class<?> clazz : clazzes) {
if (value.getClass().equals(clazz)) {
return true;
}
}
return false;
}
}
之后,你可以使用它:
@Choice(types = {FieldOneType.class, FieldTwoType.class})
public class Foo {
Object someType;
}
希望这可以提供帮助。