5

我正在尝试向 Pusher api 发出发布请求,但我无法返回正确的类型,我的类型不匹配;发现:scala.concurrent.Future[play.api.libs.ws.Response] 需要:play.api.libs.ws.Response

def trigger(channel:String, event:String, message:String): ws.Response = {
val domain = "api.pusherapp.com"
val url = "/apps/"+appId+"/channels/"+channel+"/events";
val body = message

val params = List( 
  ("auth_key", key),
  ("auth_timestamp", (new Date().getTime()/1000) toInt ),
  ("auth_version", "1.0"),
  ("name", event),
  ("body_md5", md5(body))
).sortWith((a,b) => a._1 < b._1 ).map( o => o._1+"="+URLEncoder.encode(o._2.toString)).mkString("&");

    val signature = sha256(List("POST", url, params).mkString("\n"), secret.get); 
    val signatureEncoded = URLEncoder.encode(signature, "UTF-8");
    implicit val timeout = Timeout(5 seconds)
    WS.url("http://"+domain+url+"?"+params+"&auth_signature="+signatureEncoded).post(body
}
4

3 回答 3

4

您发出的请求post是异步的。该调用立即返回,但不返回Response对象。相反,它返回一个对象,一旦异步完成 http 请求,该对象Future[Response]将包含该对象。Response

如果要在请求完成之前阻止执行,请执行以下操作:

val f = Ws.url(...).post(...)
Await.result(f)

在这里查看更多关于期货的信息。

于 2013-03-28T21:51:03.973 回答
3

只需附加一个map

WS.url("http://"+domain+url+"?"+params+"&auth_signature="+signatureEncoded).post(body).map(_)
于 2013-03-28T21:50:52.267 回答
3

假设您不想创建阻塞应用程序,您的方法也应该返回一个Future[ws.Response]. 让你的 future 冒泡到你返回AsyncResultusing的 ControllerAsync { ... }并让 Play 处理剩下的事情。

控制器

def webServiceResult = Action { implicit request =>
  Async {
    // ... your logic
    trigger(channel, event, message).map { response =>
      // Do something with the response, e.g. convert to Json
    }
  }
}
于 2013-03-28T22:11:04.043 回答