46

我有一个使用 Jersey 构建的 REST 服务。

我希望能够根据发送到服务器的 MIME 设置自定义异常编写器的 MIME。application/json接收到json时返回,接收到application/xmlxml时返回。

现在我硬编码application/json,但这让 XML 客户端一无所知。

public class MyCustomException extends WebApplicationException {
     public MyCustomException(Status status, String message, String reason, int errorCode) {
         super(Response.status(status).
           entity(new ErrorResponseConverter(message, reason, errorCode)).
           type("application/json").build());
     }
}

我可以利用什么上下文来获取当前请求Content-Type

谢谢!


根据答案更新

对于其他对完整解决方案感兴趣的人:

public class MyCustomException extends RuntimeException {

    private String reason;
    private Status status;
    private int errorCode;

    public MyCustomException(String message, String reason, Status status, int errorCode) {
        super(message);
        this.reason = reason;
        this.status = status;
        this.errorCode = errorCode;
    }

    //Getters and setters
}

连同一个ExceptionMapper

@Provider
public class MyCustomExceptionMapper implements ExceptionMapper<MyCustomException> {

    @Context
    private HttpHeaders headers;

    public Response toResponse(MyCustomException e) {
        return Response.status(e.getStatus()).
                entity(new ErrorResponseConverter(e.getMessage(), e.getReason(), e.getErrorCode())).
                type(headers.getMediaType()).
                build();
    }
}

其中 ErrorResponseConverter 是自定义 JAXB POJO

4

2 回答 2

26

您可以尝试将 @javax.ws.rs.core.Context javax.ws.rs.core.HttpHeaders 字段/属性添加到您的根资源类、资源方法参数或自定义 javax.ws.rs.ext.ExceptionMapper并调用 HttpHeaders.getMediaType()。

于 2010-07-17T12:11:14.013 回答
16

headers.getMediaType() 响应实体的媒体类型,而不是 Accept 标头。转换异常的适当方法是使用 Accept 标头,以便您的客户端以他们请求的格式获得响应。鉴于上述解决方案,如果您的请求如下所示(注意 JSON 接受标头,但 XML 实体),您将返回 XML。

POST http://localhost:8080/service/giftcard/invoice?draft=true HTTP/1.1
接受:应用程序/json
授权:基本 dXNlcjp1c2Vy
内容类型:应用程序/xml
用户代理:Jakarta Commons-HttpClient/3.1
主机:本地主机:8080
代理连接:保持活动
内容长度:502
<?xml version="1.0" encoding="UTF-8" Standalone="yes"?><sample><node1></node1></sample>

正确的实现再次是使用 Accept 标头:

public Response toResponse(final CustomException e) {
    LOGGER.debug("Mapping CustomException with status + \"" + e.getStatus() + "\" and message: \"" + e.getMessage()
            + "\"");
    ResponseBuilder rb = Response.status(e.getStatus()).entity(
            new ErrorResponseConverter(e.getMessage(), e.getReason(), e.getErrorCode()));

    List<MediaType> accepts = headers.getAcceptableMediaTypes();
    if (accepts!=null && accepts.size() > 0) {
        //just pick the first one
        MediaType m = accepts.get(0);
        LOGGER.debug("Setting response type to " + m);
        rb = rb.type(m);
    }
    else {
        //if not specified, use the entity type
        rb = rb.type(headers.getMediaType()); // set the response type to the entity type.
    }
    return rb.build();
}
于 2012-05-31T13:57:10.540 回答