因为按类型自动配置可能会导致多个候选者,所以通常有必要对选择过程进行更多的控制。实现这一目标的方法之一是使用 Spring 的 @Primary注解。@Primary表示,当多个 Bean 是自动连接到一个单值依赖关系的候选者时,应该优先考虑一个特定的 Bean。如果在候选者中正好有一个主要 Bean 存在,它就会成为自动连接的值。

    考虑下面的配置,它将 firstMovieCatalog 定义为主 MovieCatalog:

    1. @Configuration
    2. public class MovieConfiguration {
    3. @Bean
    4. @Primary
    5. public MovieCatalog firstMovieCatalog() { ... }
    6. @Bean
    7. public MovieCatalog secondMovieCatalog() { ... }
    8. // ...
    9. }

    使用前面的配置,下面的 MovieRecommender 会自动连接到 firstMovieCatalog:

    1. public class MovieRecommender {
    2. @Autowired
    3. private MovieCatalog movieCatalog;
    4. // ...
    5. }

    相应的 bean 定义如下:

    1. <?xml version="1.0" encoding="UTF-8"?>
    2. <beans xmlns="http://www.springframework.org/schema/beans"
    3. xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
    4. xmlns:context="http://www.springframework.org/schema/context"
    5. xsi:schemaLocation="http://www.springframework.org/schema/beans
    6. https://www.springframework.org/schema/beans/spring-beans.xsd
    7. http://www.springframework.org/schema/context
    8. https://www.springframework.org/schema/context/spring-context.xsd">
    9. <context:annotation-config/>
    10. <bean class="example.SimpleMovieCatalog" primary="true">
    11. <!--注入此 Bean 所需的任何依赖 -->
    12. </bean>
    13. <bean class="example.SimpleMovieCatalog">
    14. <!-- 注入此 Bean 所需的任何依赖 -->
    15. </bean>
    16. <bean id="movieRecommender" class="example.MovieRecommender"/>
    17. </beans>