我正在使用 GWTP,添加了一个 Contract 层来抽象 Presenter 和 View 之间的知识,我对 GWTP 的结果非常满意。我正在用 Mockito 测试我的演示者。
但随着时间的推移,我发现很难通过测试来保持一个干净的演示者。我做了一些重构来改进它,但我仍然不满意。
我发现以下是问题的核心:我的演示者经常需要异步调用,或者通常使用回调调用对象方法来继续我的演示者流程(它们通常是嵌套的)。
例如 :
this.populationManager.populate(new PopulationCallback()
{
public void onPopulate()
{
doSomeStufWithTheView(populationManager.get());
}
});
在我的测试中,我最终验证了模拟的 PopulationManager 对象的 population() 调用。然后在 doSomeStufWithTheView() 方法上创建另一个测试。
但我很快发现这是一个糟糕的设计:任何更改或重构都会破坏我的许多测试,并迫使我从头开始创建其他测试,即使演示者功能没有改变!另外,我没有测试回调是否是我想要的。
所以我尝试使用 mockito doAnswer 方法来不破坏我的演示者测试流程:
doAnswer(new Answer(){
public Object answer(InvocationOnMock invocation) throws Throwable
{
Object[] args = invocation.getArguments();
((PopulationCallback)args[0]).onPopulate();
return null;
}
}).when(this.populationManager).populate(any(PopulationCallback.class));
我考虑到它的代码不那么冗长(并且在内部不太依赖于 arg 位置):
doAnswer(new PopulationCallbackAnswer())
.when(this.populationManager).populate(any(PopulationCallback.class));
所以在嘲笑 populationManager 的同时,我仍然可以测试我的演示者的流程,基本上是这样的:
@Test
public void testSomeStuffAppends()
{
// Given
doAnswer(new PopulationCallbackAnswer())
.when(this.populationManager).populate(any(PopulationCallback.class));
// When
this.myPresenter.onReset();
// Then
verify(populationManager).populate(any(PopulationCallback.class)); // That was before
verify(this.myView).displaySomething(); // Now I can do that.
}
我想知道它是否很好地使用了doAnswer方法,或者它是否是代码味道,并且可以使用更好的设计?
通常,我的演示者倾向于只使用其他对象(例如某些 Mediator Pattern)并与视图交互。我有一些演示者有数百(~400)行代码。
再一次,这是一个糟糕设计的证明,还是演示者冗长是正常的(因为它使用了其他对象)?
有没有人听说过一些使用 GWTP 并干净地测试其演示者的项目?
我希望我能以全面的方式解释。
先感谢您。
PS:我对 Stack Overflow 还很陌生,加上我的英语还不够,如果我的问题需要改进,请告诉我。