如何设置aop MethodInterceptor
以使用Jersey资源?
这是我根据this文档尝试过的:
步骤1-InterceptionService
public class MyInterceptionService implements InterceptionService
{
private final Provider<AuthFilter> authFilterProvider;
@Inject
public HK2MethodInterceptionService(Provider<AuthFilter> authFilterProvider)
{
this.authFilterProvider = authFilterProvider;
}
/**
* Match any class.
*/
@Override
public Filter getDescriptorFilter()
{
return BuilderHelper.allFilter();
}
/**
* Intercept all Jersey resource methods for security.
*/
@Override
@Nullable
public List<MethodInterceptor> getMethodInterceptors(final Method method)
{
// don't intercept methods with PermitAll
if (method.isAnnotationPresent(PermitAll.class))
{
return null;
}
return Collections.singletonList(new MethodInterceptor()
{
@Override
public Object invoke(MethodInvocation methodInvocation) throws Throwable
{
if (!authFilterProvider.get().isAllowed(method))
{
throw new ForbiddenException();
}
return methodInvocation.proceed();
}
});
}
/**
* No constructor interception.
*/
@Override
@Nullable
public List<ConstructorInterceptor> getConstructorInterceptors(Constructor<?> constructor)
{
return null;
}
}
步骤2-注册服务
public class MyResourceConfig extends ResourceConfig
{
public MyResourceConfig()
{
packages("package.with.my.resources");
// UPDATE: answer is remove this line
register(MyInterceptionService.class);
register(new AbstractBinder()
{
@Override
protected void configure()
{
bind(AuthFilter.class).to(AuthFilter.class).in(Singleton.class);
// UPDATE: answer is add the following line
// bind(MyInterceptionService.class).to(InterceptionService.class).in(Singleton.class);
}
});
}
}
但是,这似乎不起作用,因为我的资源方法都没有被拦截。可能是因为我在所有资源中都使用了
@ManagedAsync
吗?有任何想法吗?另外,请不要建议
ContainerRequestFilter
。有关为什么我不能使用一个来处理安全性的信息,请参见this question。 最佳答案
我认为您可能希望将其添加到您的configure()语句中,而不是调用register(MyInterceptionService.class):
bind(MyInterceptionService.class).to(InterceptionService.class).in(Singleton.class)
我不确定是否会奏效,因为我自己没有尝试过,因此您的结果可能会有所不同
关于java - HK2 MethodInterceptor与Jersey资源,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/22275562/