我有这个TestNG测试方法代码:
@InjectMocks
private FilmeService filmeService = new FilmeServiceImpl();
@Mock
private FilmeDAO filmeDao;
@BeforeMethod(alwaysRun=true)
public void injectDao() {
MockitoAnnotations.initMocks(this);
}
//... another tests here
@Test
public void getRandomEnqueteFilmes() {
@SuppressWarnings("unchecked")
List<Filme> listaFilmes = mock(List.class);
when(listaFilmes.get(anyInt())).thenReturn(any(Filme.class));
when(filmeDao.listAll()).thenReturn(listaFilmes);
List<Filme> filmes = filmeService.getRandomEnqueteFilmes();
assertNotNull(filmes, "Lista de filmes retornou vazia");
assertEquals(filmes.size(), 2, "Lista não retornou com 2 filmes");
}
我得到了一个“org.mockito.exceptions.misusing.InvalidUseOfMatchersException: 参数匹配器的使用无效! 预期0匹配器,1记录:“在此代码中调用listAll()方法:
@Override
public List<Filme> getRandomEnqueteFilmes() {
int indice1, indice2 = 0;
List<Filme> filmesExibir = new ArrayList<Filme>();
List<Filme> filmes = dao.listAll();
Random randomGenerator = new Random();
indice1 = randomGenerator.nextInt(5);
do {
indice2 = randomGenerator.nextInt(5);
} while(indice1 == indice2);
filmesExibir.add(filmes.get(indice1));
filmesExibir.add(filmes.get(indice2));
return filmesExibir;
}
我很确定我在这里遗漏了一些东西,但我不知道它是什么!有人帮忙吗?
答案 0 :(得分:3)
when(listaFilmes.get(anyInt())).thenReturn(any(Filme.class));
有你的问题。您不能在返回值中使用any
。 any
是一个匹配器 - 它用于匹配存根和验证的参数值 - 并且在定义调用的返回值时没有意义。您需要显式返回Filme实例,或将其保留为null(这是默认行为,这将破坏存根点。)
我应该注意,使用真实的List而不是模拟List通常是个好主意。与您开发的自定义代码不同,List实现是定义良好且经过良好测试的,与模拟列表不同,如果您重构被测系统以调用不同的方法,则真正的List很可能不会中断。这是一个风格和测试理念的问题,但你可能会发现在这里使用一个真正的列表是有利的。
为什么上述规则会导致该异常?好吧,这个解释打破了Mockito的一些抽象,但matchers don't behave like you think they might - 他们将一个值记录到ArgumentMatcher对象的秘密ThreadLocal堆栈上并返回null
或其他一些虚拟值,并在调用{{1}或者when
Mockito看到一个非空堆栈并且知道使用那些Matchers而不是实际的参数值。就Mockito和Java评估顺序而言,您的代码如下所示:
verify
当然Mockito看到when(listaFilmes.get(anyInt())).thenReturn(null);
when(filmeDao.listAll(any())).thenReturn(listaFilmes); // nonsense
匹配器,而any
没有参数,所以预计 0匹配器,1记录。