使用业务层中的@Context注释访问HttpServletRequest

时间:2016-03-11 10:23:15

标签: java spring rest jersey jersey-2.0

我可以在休息服务中使用@Context注释来访问HttpServletRequest。但是无法在存储库类中访问它。我不想在调用方法时将请求表单MyService传递给MyRespository。

@Path("/someUrl")
public MyService{

@Context
private HttpServletRequest request;

@Get
public void someMethod()
{
   myRepository.someMethod();
}

}

但是同样的注释不适用于我的Repository类

@Repository
public MyRepository
{

@Context
private HttpServletRequest request;

public void someMethod()
{
 //need request here
}
}

它注入null请求。不知道为什么这不起作用。

1 个答案:

答案 0 :(得分:3)

问题在于Jersey(以及 DI框架HK2)的集成方式,是Spring组件可以注入Jersey(HK2)组件,但反之亦然。 HttpServletRequest被绑定为泽西岛组件。

你可以做的是创建一个包含Spring仓库的HK2服务和HttpServletRequest。 IMO,无论如何都是更好的设计。存储库不应该关注HttpServletRequest,它只关心数据。

所以你可以拥有

public class MyService {

    @Inject // or @Autowired (both work)
    private MyRepository repository;

    @Context
    private HttpServletRequest request;

}

然后将服务绑定到HK2

import org.glassfish.hk2.utilities.binding.AbstractBinder;
import org.glassfish.jersey.process.internal.RequestScoped;

public class AppBinder extends AbstractBinder {

    @Override
    public void configure() {
        bindAsContract(MyService.class).in(RequestScoped.class);
        // note, if `MyService` is an interface, and you have 
        // an implementation, you should use the syntax
        //
        // bind(MyServiceImpl.class).to(MyService.class).in(...);
        //
        // Then you inject `MyService`. Whatever the `to(..)` is, 
        // that is what you can inject
    }
}

用泽西岛注册活页夹

public class JerseyConfig extends ResourceConfig {

    public JerseyConfig() {
        register(new AppBinder());
    }
}

然后,您可以将MyService注入资源类。

如果您不想走这条路线,那么您需要使MyRepository成为HK2服务,或使用HK2 Factory来包装存储库,并明确注入它。像

这样的东西
import javax.inject.Inject;
import org.glassfish.hk2.api.Factory;
import org.glassfish.hk2.api.ServiceLocator;
import org.springframework.context.ApplicationContext;

public class MyRepositoryFactory implements Factory<MyRepository> {

    private final MyRepository repo;

    @Inject
    public MyRepositoryFactory(ApplicationContext ctx, ServiceLocator locator) {
        MyRepository r = ctx.getBean(MyRepository.class);
        locator.inject(r);
        this.repo = r;
    }


    @Override
    public MyRepository provide() {
        return repo;
    }

    @Override
    public void dispose(MyRepository t) {/* noop */}
}

然后注册工厂

@Override
public void configure() {
    bindFactory(MyRepositoryFactory.class).to(MyRepository.class).in(Singleton.class);
}

如果您执行上述操作,则只需使用MyRepository,而不是添加服务图层。基本上你需要从Spring获得repo,并使用HK2 ServiceLocator(这是Spring ApplicationContext的HK2类似物)明确地注入它。