What is the Scala equivalent of F#'s async workflows?
What is the Scala equivalent of F#'s async workflows?
For example, how would following F# snippet translate to idiomatic Scala?
open System.Net
open Microsoft.FSharp.Control.WebExtensions
let urlList = [ "Microsoft.com", "http://www.microsoft.com/"
"MSDN", "http://msdn.microsoft.com/"
"Bing", "http://www.bing.com"
]
let fetchAsync(name, url:string) =
async {
try
let uri = new System.Uri(url)
let webClient = new WebClient()
let! ht开发者_运维百科ml = webClient.AsyncDownloadString(uri)
printfn "Read %d characters for %s" html.Length name
with
| ex -> printfn "%s" (ex.Message);
}
let runAll() =
urlList
|> Seq.map fetchAsync
|> Async.Parallel
|> Async.RunSynchronously
|> ignore
runAll()
You code more or less directly can be translated to Scala using Futures
(with some important features lost, though):
import scala.actors.Futures
import Futures._
val urlList = Map("Microsoft.com" -> "http://www.microsoft.com/",
"MSDN" -> "http://msdn.microsoft.com/",
"Bing" -> "http://www.bing.com")
def fetchAsync(name: String, url: String) = future {
// lengthy operation simulation
Thread.sleep(1000)
println("Fetching from %s: %s" format(name, url))
}
def runAll =
//Futures.awaitAll( <- if you want to synchronously wait for the futures to complete
urlList.map{case (name, url) => fetchAsync(name, url)}
//)
精彩评论