Using Mockito with multiple calls to the same method with the same arguments Using Mockito with multiple calls to the same method with the same arguments java java

Using Mockito with multiple calls to the same method with the same arguments


How about

when( method-call ).thenReturn( value1, value2, value3 );

You can put as many arguments as you like in the brackets of thenReturn, provided they're all the correct type. The first value will be returned the first time the method is called, then the second answer, and so on. The last value will be returned repeatedly once all the other values are used up.


You can do that using the thenAnswer method (when chaining with when):

when(someMock.someMethod()).thenAnswer(new Answer() {    private int count = 0;    public Object answer(InvocationOnMock invocation) {        if (count++ == 1)            return 1;        return 2;    }});

Or using the equivalent, static doAnswer method:

doAnswer(new Answer() {    private int count = 0;    public Object answer(InvocationOnMock invocation) {        if (count++ == 1)            return 1;        return 2;    }}).when(someMock).someMethod();


As previously pointed out almost all of the calls are chainable.

So you could call

when(mock.method()).thenReturn(foo).thenReturn(bar).thenThrow(new Exception("test"));//OR if you're mocking a void method and/or using spy instead of mockdoReturn(foo).doReturn(bar).doThrow(new Exception("Test").when(mock).method();

More info in Mockito's Documenation.