我想用Mockito测试我的类的方法。
public class SplashPresenter {
public volatile State mField1 = State.DEFAULT;
public volatile State mField2 = State.DEFAULT;
boolean stateFlagsAreAllCompleted(@NonNull final ISplashView view) {
if (mField1 == State.COMPLETE //
&& mField2 == State.COMPLETE) {
// Check Forced Update
final int updateCheckResult = checkForcedUpdate(); // <===
if (updateCheckResult == MyConstants.PRODUCTION_UPDATE_AVAILABLE) {
view.displayForcedUpdateAlert(false);
return true;
}
if (updateCheckResult == MyConstants.BETA_UPDATE_AVAILABLE) {
view.displayForcedUpdateAlert(true);
return true;
}
view.restartLoader();
// Move to the home screen
return true;
}
return false;
}
int checkForcedUpdate() {
...... // my codes
}
}
这是我的测试类:
public class SplashPresenterTest_ForStateFlags {
private Context mContext;
private ISplashView mView;
@Before
public void setUp() throws Exception {
mContext = Mockito.mock(Context.class);
mView = Mockito.mock(ISplashView.class);
}
@Test
public void stateFlagsAreAllCompleted() throws Exception {
SplashPresenter presenter = Mockito.mock(SplashPresenter.class);
presenter.mField1 = State.COMPLETE;
presenter.mField2 = State.COMPLETE;
when(presenter.checkForcedUpdate()).thenReturn(1);
boolean actual = presenter.stateFlagsAreAllCompleted(mView);
System.out.println("actual: " + actual + ", " +
presenter.mField1 + ", " +
presenter.checkForcedUpdate());
assertTrue(actual);
}
}
测试失败是最后发生的事情。这是输出:
实际:假、完整、1
我不明白的是,即使我将stateFlagsAreAllCompleted
方法更改为以下代码,然后仍然使用上述输出测试失败。
boolean stateFlagsAreAllCompleted(@NonNull final ISplashView view) {
return true;
}
您尚未模拟方法 stateFlagsAreAllComplete
的行为。您需要做:
when(presenter.stateFlagsAreAllComplete(Matchers.any()).thenReturn(true);
您可以将 Matchers.any() 参数微调为所需的类类型。
编辑:我看到您正在尝试测试方法stateFlagsAreAllComplete
。由于您正在尝试测试类 SplashPresenter 的方法stateFlagsAreAllComplete
,因此不能通过模拟其方法正在测试的类来执行此操作。您必须使用该类的实例。模拟方法只应在测试时使用,当在另一个被测方法中调用它们时。
您必须创建要测试的类的实例。