11

我正在学习Spring Core认证,我对在JUnit 测试中使用配置文件有一些疑问。

所以我知道,如果我用以下方式注释一个类:

@Profile("stub")
@Repository
public class StubAccountRepository implements AccountRepository {

    private Logger logger = Logger.getLogger(StubAccountRepository.class);

    private Map<String, Account> accountsByCreditCard = new HashMap<String, Account>();

    /**
     * Creates a single test account with two beneficiaries. Also logs creation
     * so we know which repository we are using.
     */
    public StubAccountRepository() {
        logger.info("Creating " + getClass().getSimpleName());
        Account account = new Account("123456789", "Keith and Keri Donald");
        account.addBeneficiary("Annabelle", Percentage.valueOf("50%"));
        account.addBeneficiary("Corgan", Percentage.valueOf("50%"));
        accountsByCreditCard.put("1234123412341234", account);
    }

    public Account findByCreditCard(String creditCardNumber) {
        Account account = accountsByCreditCard.get(creditCardNumber);
        if (account == null) {
            throw new EmptyResultDataAccessException(1);
        }
        return account;
    }

    public void updateBeneficiaries(Account account) {
        // nothing to do, everything is in memory
    }
}

我声明了一个属于存根配置文件的服务 bean

所以,如果我的测试类是这样的:

@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration(classes=TestInfrastructureConfig.class)
@ActiveProfiles("stub")
public class RewardNetworkTests {
    .....................................
    .....................................
    .....................................
}

这意味着它将使用属于存根配置文件的bean bean和没有配置文件的bean。是对的还是我错过了什么?

如果改为在一个类(其实例将是一个 Spring bean)上使用@ActiveProfiles注释我在Java 配置类上使用它会发生什么?

类似的东西:

@Configuration
@Profile("jdbc-dev")
public class TestInfrastructureDevConfig {

    /**
     * Creates an in-memory "rewards" database populated 
     * with test data for fast testing
     */
    @Bean
    public DataSource dataSource(){
        return
            (new EmbeddedDatabaseBuilder())
            .addScript("classpath:rewards/testdb/schema.sql")
            .addScript("classpath:rewards/testdb/test-data.sql")
            .build();
    }   
}

究竟是做什么的?我认为这个类中配置的所有bean都将属于jdbc-dev配置文件,但我不确定。你能给我更多关于这件事的信息吗?

为什么我必须在 **configuration class* 上使用@Profile注释而不是直接注释我的 bean?

肿瘤坏死因子

4

1 回答 1

20

如果您查看ActiveProfiles注释的 JavaDoc,它包含以下文本:

ActiveProfiles 是一个类级别的注释,用于声明在为测试类加载 ApplicationContext 时应该使用哪些活动 bean 定义配置文件。

这意味着它只应该用于为测试类声明活动的 Spring 配置文件。所以如果把它放在一个配置类上它应该没有效果。

至于@Profile注解,它可以在方法和类级别上使用。如果您@Bean在配置类中使用注释的方法上使用它,则只有该 bean 将属于配置文件。如果你在配置类上使用它,它将应用于配置类中的所有bean,如果你在@Component类上使用它,配置文件将应用于该类所代表的bean。

@Profileannotation JavaDoc对这些规则提供了更详细的解释。

为什么我必须在 **configuration class* 上使用 @Profile 注释而不是直接注释我的 bean?

好吧,如果给定配置类中的所有 bean 应该只对某些配置文件是活动的,那么在配置类上全局声明它以避免必须单独指定所有 bean 的配置文件是有意义的。但是,如果您要注释所有单个 bean,它也会起作用。

于 2014-11-30T18:15:17.093 回答