Now, while the result was interersting I got a bit "stuck" thinking on this example from the presentation:
val futureDOY: Future[Response] = WS.url("http://api.day-of-year/today").get val futureDaysLeft: Future[Response] = WS.url("http://api.days-left/today").get val respFut = async { val dayOfYear = await(futureDOY).body val daysLeft = await(futureDaysLeft).body Ok("" + dayOfYear + ": " + daysLeft + " days left!") }
What it's trying to do is retrieve data from two remote services and compose the results in some way (don't worry about what it's really trying to achieve; it's one of those hypothetical examples which academics are really good at; I know, I used to be one). Now, as you may have noticed the services are consumed in an asynchronous way. That's where the need for futures and explicit waits for their results comes in.
Having been playing a bit with futures and their composition for the minimalist asynchronous process virtual machine I understand the mind bending it can take to get this right in more realistic examples. As a programmer you constantly have to be aware of what methods return results which are immediately available (i.e. are synchronous) and which ones are not. Because if you get it wrong the results will be unexpected and probably quite annoying to debug.
So here comes my question: rather than trying to come up with lots of creative ways of composing asynchronous behaviours and avoiding callback hell, why not stick to the principle of least surprise and make all asynchronous calls act as synchronous ones by default ? What is really stopping the above code from being as simple as:
val dayOfYear = WS.url("http://api.day-of-year/today").get.body val daysLeft = WS.url("http://api.days-left/today").body val respFut = Ok("" + dayOfYear + ": " + daysLeft + " days left!")
A programmer's default mindset, I would argue, is that code is synchronous. By making that the default the obvious solution becomes a correct one.
Asynchronous execution, if wanted, can still be supported by explicitly requesting it. So another way to write the example could be:
val futureDOY: Future[Response] = async { WS.url("http://api.day-of-year/today").get } val futureDaysLeft: Future[Response] = async { WS.url("http://api.days-left/today").get } val respFut = async { val dayOfYear = futureDOY.body val daysLeft = futureDaysLeft.body Ok("" + dayOfYear + ": " + daysLeft + " days left!") }
While not as concise as the earlier rewrite at least it removes all doubt about which parts of the code don't want to wait for specific results.
Anyway, just wanted to get this off my mind. If you like, or think I'm just blowing smoke, let me know.
No comments:
Post a Comment