I'm new to play framework (2.6.x) and Scala. I have a function that returns a Future[JsValue]. How can I use the Future[JsValue] in a subsequent function?
def getInfo(): Future[JsValue] ={}
The following function will use a value from the JsValue to compute something.
Somewhere in middle I have to extract a value from the json response. val currentWeight = (jsValue \ "weight").as[String].toDouble
def doubleAmounts(currentWeight: Double): Double = {
currentWeight*2.0
}
Whats the proper way of handling a Future here? Should I use a map or onComplete to get the weight
from json?
I tried this but it only resolves after I have already called doubleAmounts()
.
val weight = getInfo() map { response =>
if (response.toString().length > 0) (response \ "weight").as[String])
else throw new Exception("didn't get response")
}
The problem is, once that you start talking in
Futures
, you need to keep talking inFutures
, the idea is that the same server will handle all this waits and context changes, so play it self can handle your promise that at some piont, you will return a result.So, instead of calling functions in your controllers that return an
Any
, play can handleFuture[Any]
.If you have several future calls, where each one needs the result from other Future, you can use For comprehension to avoid a map hell. For example, here is a little more complex example:
Each value in the for is a future, but bellow we can access their value, at the end of the for, you use yield to mark what need to be returned.
Other example could be this controller call (ignore the shilouete part, is an authentication library, simply think of the return type as a Future[Result]):
Also, i forgot to mention, if you need to handle a function that uses a Future and other does not, you can transform the latter with
Future.successful
, there is alsoFuture.sequence
to convert aSeq[Future[Any]]
intoFuture[Seq[Any]]
and other functions to help you handle the futures in different ways.