9

我正在编写一个 REST API,使用 RestEasy 2.3.4.Final。我知道 Interceptor 将拦截我的所有请求,并且 PreProcessInterceptor 将是第一个(在所有内容之前)被调用的。我想知道如何在调用特定方法时才调用此拦截器。

我尝试同时使用 PreProcessInterceptor 和 AcceptedByMethod,但我无法读取我需要的参数。例如,我只需要在调用此方法时运行我的拦截器:

@GET
@Produces("application/json;charset=UTF8")
@Interceptors(MyInterceptor.class)
public List<City> listByName(@QueryParam("name") String name) {...}

更具体地说,我需要在所有具有@QueryParam("name")

在它的签名上,这样我就可以在一切之前抓住名字并做点什么。

可能吗?我试图在拦截器中捕获“名称”参数,但我无法做到这一点。

有人可以帮我吗?

4

2 回答 2

8

您可以AcceptedByMethod按照RESTEasy 文档中的说明使用

创建一个同时实现PreProcessInterceptor和的类AcceptedByMethod。在accept-method 中,您可以检查该方法是否具有带有注释的参数@QueryParam("name")。如果该方法具有该注释,则从 - 方法返回 true accept

preProcess- 方法中,您可以从request.getUri().getQueryParameters().getFirst("name").

编辑:

这是一个例子:

public class InterceptorTest  {

    @Path("/")
    public static class MyService {

        @GET
        public String listByName(@QueryParam("name") String name){
            return "not-intercepted-" + name;
        }
    }

    public static class MyInterceptor implements PreProcessInterceptor, AcceptedByMethod {

        @Override
        public boolean accept(Class declaring, Method method) {
            for (Annotation[] annotations : method.getParameterAnnotations()) {
                for (Annotation annotation : annotations) {
                    if(annotation.annotationType() == QueryParam.class){
                        QueryParam queryParam = (QueryParam) annotation;
                        return queryParam.value().equals("name");
                    }
                }
            }
            return false;
        }

        @Override
        public ServerResponse preProcess(HttpRequest request, ResourceMethod method)
                throws Failure, WebApplicationException {

            String responseText = "intercepted-" + request.getUri().getQueryParameters().getFirst("name");
            return new ServerResponse(responseText, 200, new Headers<Object>());
        }
    }

    @Test
    public void test() throws Exception {
        Dispatcher dispatcher = MockDispatcherFactory.createDispatcher();
        dispatcher.getProviderFactory().getServerPreProcessInterceptorRegistry().register(new MyInterceptor());
        dispatcher.getRegistry().addSingletonResource(new MyService());

        MockHttpRequest request = MockHttpRequest.get("/?name=xxx");
        MockHttpResponse response = new MockHttpResponse();

        dispatcher.invoke(request, response);

        assertEquals("intercepted-xxx", response.getContentAsString());
    }
}
于 2012-07-07T13:56:53.867 回答
2

如果您返回return new ServerResponse(responseText, 200, new Headers<Object>());,您将失去终点。null如果您仍然希望将消息传递到最后一点,则需要返回。

于 2012-12-10T15:08:36.193 回答