I have a code somewhat like this below:
Class A {
public boolean myMethod(someargs) {
MyQueryClass query = new MyQueryClass();
Long id = query.getNextId();
// some more code
}
}
Class MyQueryClass {
....
public Long getNextId() {
//lot of DB code, execute some DB query
return id;
}
}
Now I'am writing a test for A.myMethod(someargs)
. I want to skip the real method query.getNextId()
and instead return a stub value. Basically, I want to mock MyQueryClass
.
So in my test case, I have used:
MyQueryClass query = PowerMockito.mock(MyQueryClass.class);
PowerMockito.whenNew(MyQueryClass.class).withNoArguments().thenReturn(query);
when(query.getNextId()).thenReturn(1000000L);
boolean b = A.getInstance().myMethod(args);
//asserts
I used @RunWith(PowerMockRunner.class)
and @PrepareForTest({MyQueryClass.class})
in the beginning of my test class.
But when I debug the test, it is still calling the real method getNextId()
of the MyQueryClass
class.
What am I missing here? Can anyone help as I am new to Mockito and PowerMockito.
You need to put the class where the constructor is called into the @PrepareForTest
annotation instead of the class which is being constructed - see Mock construction of new objects.
In your case:
✗ @PrepareForTest(MyQueryClass.class)
✓ @PrepareForTest(A.class)
More general:
✗ @PrepareForTest(NewInstanceClass.class)
✓ @PrepareForTest(ClassThatCreatesTheNewInstance.class)