根据这些链接:https://stackoverflow.com/a/20056622/1623597 https://stackoverflow.com/a/15640575/1623597 TestNG不会在每个方法测试中创建新实例。
我有春季启动应用程序。我需要编写集成测试(Controller,service,Repositories)。有时为了创建新的测试用例,我需要DB中的一些实体。要忘记db中的任何预定义实体,我决定模拟存储库层。我刚刚实现了ApplicationContextInitializer,它在类路径中找到所有JPA Repositoryies,并将它们的模拟添加到spring上下文中。
我遇到了一个新问题,即每个ControllerTest创建一次我的模拟(扩展AbstractTestNGSpringContextTests)。经过测试的上下文只创建一次,并且mock实例对于所有方法都是相同的。现在,我有
//All repos are mocked via implementation of ApplicationContextInitializer<GenericWebApplicationContext>
// and added to spring context by
//applicationContext.getBeanFactory().registerSingleton(beanName, mock(beanClass)); //beanClass in our case is StudentRepository.class
@Autowired
StudentRepository studentRepository;
//real MyService implementation with autowired studentRepository mock
@Autowired
MyService mySevice;
@Test
public void test1() throws Exception {
mySevice.execute(); //it internally calls studentRepository.findOne(..); only one time
verify(studentRepository).findOne(notNull(String.class));
}
//I want that studentRepository that autowired to mySevice was recreated(reset)
@Test
public void test2() throws Exception {
mySevice.execute(); //it internally calls studentRepository.findOne(..); only one time
verify(studentRepository, times(2)).findOne(notNull(String.class)); //I don't want to use times(2)
//times(2) because studentRepository has already been invoked in test1() method
}
@Test
public void test3() throws Exception {
mySevice.execute(); //it internally calls studentRepository.findOne(..); only one time
verify(studentRepository, times(3)).findOne(notNull(String.class)); //I don't want to use times(3)
}
我需要为每个下一个方法增加时间(N)。我知道它是testng实现,但我试图为我找到好的解决方案。对于我的服务,我使用构造函数自动装配,所有字段都是最终的。
问题:
是否可以强制testng为每个方法测试创建新实例? 我可以为每个方法测试重新创建弹簧上下文吗?
我可以为每个模拟的存储库创建自定义代理,并通过我的代理在@BeforeMethod方法中重置模拟吗?
答案 0 :(得分:0)
实际上我并不需要在上下文中创建新的存储库模拟实例,我只需要重置它们的状态。 我认为Mockito.reset(mock)只是创建新实例并将其分配给引用模拟到目前为止。 但它不是真的。 Mockito.reset的真实行为只是模拟的干净当前状态而不创建新的模拟实例。
我的解决方案:
import org.springframework.data.repository.Repository;
@Autowired
private List<Repository> mockedRepositories;
@BeforeMethod
public void before() {
mockedRepositories.forEach(Mockito::reset);
}
此代码自动装配在ApplicationContextInitializer中模拟的所有repos,并重置其状态。 现在我可以在没有时间(2)的情况下使用verify()
@Test
public void test2() throws Exception {
mySevice.execute()
verify(studentRepository).findOne(notNull(String.class));
}