1

我正在实现一个使用 Web 服务的客户端。我想减少依赖并决定模拟网络服务。
我使用mockito,它与 EasyMock 相比具有能够模拟类的优势,而不仅仅是接口。但这不是重点。

在我的测试中,我有这个代码:

// Mock the required objects
Document mDocument = mock(Document.class);
Element mRootElement = mock(Element.class);
Element mGeonameElement = mock(Element.class);
Element mLatElement = mock(Element.class);
Element mLonElement = mock(Element.class);

// record their behavior
when(mDocument.getRootElement()).thenReturn(mRootElement);
when(mRootElement.getChild("geoname")).thenReturn(mGeonameElement);
when(mGeonameElement.getChild("lat")).thenReturn(mLatElement);
when(mGeonameElement.getChild("lon")).thenReturn(mLonElement);
// A_LOCATION_BEAN is a simple pojo for lat & lon, don't care about it!
when(mLatElement.getText()).thenReturn(
    Float.toString(A_LOCATION_BEAN.getLat()));
when(mLonElement.getText()).thenReturn(
    Float.toString(A_LOCATION_BEAN.getLon()));

// let it work!
GeoLocationFetcher geoLocationFetcher = GeoLocationFetcher
    .getInstance();
LocationBean locationBean = geoLocationFetcher
    .extractGeoLocationFromXml(mDocument);

// verify their behavior
verify(mDocument).getRootElement();
verify(mRootElement).getChild("geoname");
verify(mGeonameElement).getChild("lat");
verify(mGeonameElement).getChild("lon");
verify(mLatElement).getText();
verify(mLonElement).getText();

assertEquals(A_LOCATION_BEAN, locationBean);

我的代码显示的是我“微测试”消费对象。就像我会在我的测试中实现我的生产代码一样。结果 xml 的一个示例是London on GeoNames。在我看来,它太细了。

但是我怎样才能在不给出每一步的情况下模拟一个 web 服务呢?我应该让模拟对象只返回一个 XML 文件吗?

这不是关于代码,而是关于方法

我正在使用 JUnit 4.x 和 Mockito 1.7

4

3 回答 3

2

我认为这里真正的问题是您有一个调用和创建 Web 服务的单例,因此很难插入一个模拟的。

您可能必须添加(可能是包级别)对单例类的访问权限。例如,如果构造函数看起来像

private GeoLocationFactory(WebService service) {
   ...
}

您可以制作构造函数包级别,只需使用模拟的 Web 服务创建一个。

或者,您可以通过添加一个 setter 方法来设置 web 服务,尽管我不喜欢可变单例。同样在这种情况下,您必须记住之后取消设置网络服务。

如果 web 服务是在一个方法中创建的,您可能必须使 GeoLocationFactory 可扩展以替代模拟服务。

您也可以考虑删除单例本身。网上有文章,可能这里有关于如何做到这一点的文章。

于 2009-06-02T16:48:45.997 回答
1

你真的想模拟从 web 服务返回的结果到将使用结果的代码。在上面的示例代码中,您似乎在模拟 mDocument,但您确实想传入从 web 服务的模拟实例返回的 mDocument 实例,并断言从 geoLocationFetcher 返回的 locationBean 与 A_LOCATION_BEAN 的值匹配。

于 2009-04-30T05:53:44.233 回答
1

最简单的选择是模拟 WebService 客户端,

when(geoLocationFetcher.extractGeoLocationFromXml(anyString()))
    .thenReturn("<location/>");

您可以修改代码以从文件系统中读取响应 xml。

示例代码可以在这里找到:Mocking .NET WebServices with Mockito

于 2012-01-27T15:13:27.667 回答