The following code is copied from the above link:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import static org.junit.Assert.assertEquals; | |
import static org.mockito.Mockito.mock; | |
import static org.mockito.Mockito.when; | |
import java.util.Collection; | |
import java.util.Iterator; | |
import org.junit.Before; | |
import org.junit.Test; | |
public class TestMockedIterator { | |
private Collection<String> fruits; | |
private Iterator<String> fruitIterator; | |
@SuppressWarnings("unchecked") | |
@Before | |
public void setUp() { | |
fruitIterator = mock(Iterator.class); | |
when(fruitIterator.hasNext()).thenReturn(true, true, true, false); | |
when(fruitIterator.next()).thenReturn("Apple") | |
.thenReturn("Banana").thenReturn("Pear"); | |
fruits = mock(Collection.class); | |
when(fruits.iterator()).thenReturn(fruitIterator); | |
} | |
@Test | |
public void test() { | |
int iterations = 0; | |
for (String fruit : fruits) { | |
iterations++; | |
} | |
assertEquals(3, iterations); | |
} | |
} |
I get this error when executing this style.
ReplyDeleteorg.mockito.exceptions.misusing.MissingMethodInvocationException:
when() requires an argument which has to be 'a method call on a mock'.
For example:
when(mock.getArticles()).thenReturn(articles);
Also, this error might show up because:
1. you stub either of: final/private/equals()/hashCode() methods.
Those methods *cannot* be stubbed/verified.
Mocking methods declared on non-public parent classes is not supported.
2. inside when() you don't call method on mock but on some other object.
An easy way to do your test can be something like this:
ReplyDeletepublic void setUp() {
List mockfruitList=new ArrayList<>();
mockfruitList.add(Arrays.asList(“Apple”,”Banana”,”Pear”));
fruits=mock(Collection.class);
when(fruits.iterator()).thenReturn(mockfruitList.iterator());
}