如何禁用某个bean的Spring自动装配?

时间:2017-01-26 18:15:01

标签: java spring spring-boot

jar(外部库)中有一些类,它在内部使用Spring。 所以库类的结构如下:

@Component
public class TestBean {

    @Autowired
    private TestDependency dependency;

    ...
}

库提供了构造对象的API:

public class Library {

    public static TestBean createBean() {
        ApplicationContext context = new AnnotationConfigApplicationContext(springConfigs);
        return context.getBean(TestBean);
    }
}

在我的应用程序中,我有配置:

@Configuration
public class TestConfig {

    @Bean
    public TestBean bean() {
        return Library.createBean();
    }
}

它抛出异常:Field dependency in TestBean required a bean of type TestDependency that could not be found.

但是Spring不应该尝试注入一些东西,因为bean已经配置好了。

我可以禁用某个bean的Spring自动装配吗?

4 个答案:

答案 0 :(得分:9)

基于@Juan的回答,创建了一个帮助程序来包装一个不能自动装配的bean:

public static <T> FactoryBean<T> preventAutowire(T bean) {
    return new FactoryBean<T>() {
        public T getObject() throws Exception {
            return bean;
        }

        public Class<?> getObjectType() {
            return bean.getClass();
        }

        public boolean isSingleton() {
            return true;
        }
    };
}

...

@Bean
static FactoryBean<MyBean> myBean() {
    return preventAutowire(new MyBean());
}

答案 1 :(得分:4)

这对我有用:

import org.springframework.beans.factory.FactoryBean;  
...  
@Configuration
public class TestConfig {

    @Bean
    public FactoryBean<TestBean> bean() {
        TestBean bean = Library.createBean();

        return new FactoryBean<TestBean>()
        {
            @Override
            public TestBean getObject() throws Exception
            {
                return bean;
            }

            @Override
            public Class<?> getObjectType()
            {
                return TestBean.class;
            }

            @Override
            public boolean isSingleton()
            {
                return true;
            }
        };
    }
}

答案 2 :(得分:0)

不完全是您可以在自动装配的注释中添加required = false (@Autowired(required=false))。但要小心,可能会得到NullPointer异常

答案 3 :(得分:0)

似乎无法禁用特定bean的自动装配。

所以有一些解决方法。 我们可以为目标bean创建包装器并使用它而不是原始bean:

public class TestBeanWrapper {

    private final TestBean bean;

    public TestBeanWrapper(TestBean bean) {
        this.bean = bean;
    }

    public TestBean bean() {
        return bean;
    }
}

@Configuration
public class TestConfig {

    @Bean
    public TestBeanWrapper bean() {
        return new TestBeanWrapper(Library.createBean());
    }
}

@RestController
public class TestController {

    @Autowired
    private TestBeanWrapper bean;

    ...
}