我正在使用Scalamock和Scalatest为Play应用程序编写单元测试。
我的原始代码如下:
// Here ws is an injected WSClient
val req = Json.toJson(someRequestObject)
val resp: Future[WSResponse] = ws.url(remoteURL).post(Json.toJson(req))
在一个部分我必须模拟外部调用Web服务,我试图使用scalamock:
ws = stub[WSClient]
wsReq = stub[WSRequest]
wsResp = stub[WSResponse]
ws.url _ when(*) returns wsReq
wsReq.withRequestTimeout _ when(*) returns wsReq
(wsReq.post (_: java.io.File)).when(*) returns Future(wsResp)
我成功地能够使用文件模拟发布请求,但我不能使用JSON模拟发布请求。
我尝试分别添加存根函数引用,如:
val f: StubFunction1[java.io.File, Future[WSResponse]] = wsReq.post (_: java.io.File)
val j: StubFunction1[JsValue, Future[WSResponse]] = wsReq.post(_: JsValue)
我得到第二行的编译错误:Unable to resolve overloaded method post
我在这里错过了什么?为什么我不能模拟一个重载方法而不是另一个?
play.api.libs.ws.WSRequest
有两种post
方法(https://www.playframework.com/documentation/2.4.x/api/scala/index.html#play.api.libs.ws.WSRequest),服用:
File
T
(其中T
对Writeable
有隐含的界限)编译器失败是因为您尝试使用单个参数调用post
,该参数仅匹配版本1.但是,JsValue
不能替换为File
。
你实际上想要调用第二个版本,但这是一个带有两组参数的curried方法(尽管第二个是隐式的)。因此,您需要显式提供您期望的隐式模拟值,即
val j: StubFunction1[JsValue, Future[WSResponse]] = wsReq.post(_: JsValue)(implicitly[Writeable[JsValue]])
因此,一个有效的解决方案是:
(wsReq.post(_)(_)).when(*) returns Future(wsResp)
老答案:
WSRequest
提供了4个post
方法(https://www.playframework.com/documentation/2.5.8/api/java/play/libs/ws/WSRequest.html)的重载,采取:
String
JsonNode
InputStream
File
您可以使用File
进行模拟,因为它匹配重载4,但JsValue
不匹配(这是Play JSON模型的一部分,而JsonNode
是Jackson JSON模型的一部分)。如果你转换为String
或JsonNode
,那么它将解决正确的重载和编译。
我最好的猜测是你的WSRequest
实际上是一个play.libs.ws.WSRequest
,它是Java API的一部分,而你应该使用play.api.libs.ws.WSRequest
这是Scala API。
方法WSRequest.post
存在,BodyWritable[JsValue]
由WSBodyWritables
在Scala API中隐式提供,但不在Java API中提供。
另一个原因可能是你的JsValue
不是play.api.libs.json.JsValue
而是其他东西(例如spray.json.JsValue
)。
我将引用一个例子,我已经成功地实现了你想要做的事情,主要区别在于我使用了mock
而不是stub
。
重要的是:
val ws = mock[WSClient]
val responseBody = "{...}"
...
"availableBooks" should {
"retrieve available books" in {
val expectedBooks = "BTC_DASH ETH_DASH USDT_LTC BNB_LTC".split(" ").map(Book.fromString).map(_.get).toList
val request = mock[WSRequest]
val response = mock[WSResponse]
val json = Json.parse(responseBody)
when(ws.url(anyString)).thenReturn(request)
when(response.status).thenReturn(200)
when(response.json).thenReturn(json)
when(request.get()).thenReturn(Future.successful(response))
whenReady(service.availableBooks()) { books =>
books.size mustEqual expectedBooks.size
books.sortBy(_.string) mustEqual expectedBooks.sortBy(_.string)
}
}
}
你可以看到完整的测试:BinanceServiceSpec
我猜它应该可以正常工作,如果你模拟一个JsValue的响应。
when(wsReq.post(Json.parse("""{...json request...}"""))).thenReturn(Future(wsResp))
在这里,qazxsw poi回归qazxsw poi。您应该在请求正文中传递您期望的json字符串。