views:

42

answers:

1

I have a Spring ApplicationContext where I declare Jetty server bean and start it. Inside Jetty I have a DispatcherServlet and a couple of controllers. How to make that DispatcherServlet and its controllers use beans from the same ApplicationContext where Jetty is declared?

In fact, in that outer context I have a couple of daemon-like beans and their dependencies. Controllers inside Jetty use the same dependencies, so I'd like to avoid duplicating them inside and outside Jetty.

+2  A: 

I did this a while ago.

Spring's documentation suggests that you use a ContextLoaderListener to load the application context for servlets. Instead of this Spring class, use your own listener. The key thing here is that your custom listener can be defined in the Spring config, and can be aware of the application context it's defined in; so instead of loading a new application context, it just returns that context.

The listener would look something like this:

public class CustomContextLoaderListener extends ContextLoaderListener implements BeanFactoryAware {

@Override
protected ContextLoader createContextLoader() {
    return new DelegatingContextLoader(beanFactory);
}

protected BeanFactory beanFactory;

@Override
public void setBeanFactory(BeanFactory beanFactory) throws BeansException {
   this.beanFactory = beanFactory;
}

}

and the DelegatingContextLoader does this:

public class DelegatingContextLoader extends ContextLoader {

    protected BeanFactory beanFactory;

    public DelegatingContextLoader(BeanFactory beanFactory) {
        this.beanFactory = beanFactory;
    }

    @Override
    protected WebApplicationContext createWebApplicationContext(ServletContext servletContext, ApplicationContext parent) throws BeansException {
        return new GenericWebApplicationContext((DefaultListableBeanFactory) beanFactory);
    }

}

It's a bit messy, and can probably be improved, but this did work for me.

Richard Fearn
Thanks! After some modifications I solved my problem. With this solution I got `ApplicationEventMulticaster not initialized` exception, because that `GWAC` was not refeshed, but when I called `refresh()` on it, I got exception about postprocessors being called second time.So instead of using `GWAC` I created a class `WrapperWebApplicationContext` that delegated all calls to `ApplicationContext` passed in constructor. Now it works perfectly.Also, I overrided `createWebApplicationContext` of `ContextLoaderListener` - this way there is no need to use `ContextLoader` class.
Shooshpanchick