哦,首先您需要将方法的参数更改为采用 String 或 Map。然后你可以像这样控制编组:
@Consumes({MediaType.APPLICATION_JSON, MediaType.APPLICATION_XML})
@Path("/users")
@POST
public Response createUser(@Context SecurityContext sc, String json ) {
ObjectMapper mapper = new ObjectMapper();
User user = mapper.readValue( json, User.class );
然后你可以在这个周围放一个 try..catch 来捕捉验证错误。至于将此返回给客户端,我喜欢创建一个 BAD_REQUEST 的响应,然后为请求的实体创建一个对象。我创建了一个看起来非常像 ConstrainViolationExcpetion 的。它基本上有一个单行消息描述,然后是一组具有“字段”和“详细信息”字段的对象。然后我让它以 JSON 或 XML 的形式返回给客户端。这是 JSON 格式的示例输出:
{"description":"Validation Failed",
"errors":[
{"field":"emailAddress","message":"not a well-formed email address"}
{"field":"phoneNumber","message":"The phone number supplied was null."},
{"field":"password","message":"may not be null"}]}
这是一个快速而肮脏的示例,它基于基本的 ConstrainViolationException 返回一个响应实体,但我认为您可以看到如何轻松地将“字段”和“消息”元素添加到此类的实例。
public class RestValidationErrorEntity {
public static Response createResponseOrThrow( ConstraintViolationException e ) {
return Response
.status( Response.Status.BAD_REQUEST )
.entity( new RestValidationErrorEntity( e ) )
.build();
}
public String description = "Validation Failed";
public List<Detail> errors = new ArrayList<>();
public RestValidationErrorEntity( ConstraintViolationException e ) {
for ( ConstraintViolation<?> violation : e.getConstraintViolations() ) {
errors.add(
new Detail(
violation.getPropertyPath().toString(), violation.getMessage()
) );
}
}
public static class Detail {
public String field;
public String message;
Detail( String field, String message ) {
this.message = message;
this.field = field;
}
}
}