我在基于Scala
和React/Flux
的前端实现了服务器端。我的服务返回Futures
,它们在Scalatra的AsyncResult
内处理JSON响应。
对于同构/服务器端渲染设置,我不想将服务更改为阻塞,所以我开始使用Scala Future-> java.util.function.Function
转化shown here。
但是Flux的调度员想拥有JS Promise。到目前为止,我发现这个Slides 68-81
只有相当复杂的声音方式是否有任何推荐的方法来处理此Scala未来 - > JS Promise转换?
答案 0 :(得分:1)
我将尝试回答Scala Future对JS Promise问题的一部分。 因为你没有提供一个例子。我将在这里提供转换。 如果我们说Scala以这种方式实现了Future:
val f: Future = Future {
session.getX()
}
f onComplete {
case Success(data) => println(data)
case Failure(t) => println(t.getMessage)
}
然后JavaScript / ES6中的相应代码可能如下所示:
var f = new Promise(function(resolve, reject) {
session.getX();
});
f.then((data) => {
console.log(data);
}).catch((t) => {
console.log(t);
}));
我知道这不是Scala,但我希望将其包含在内以保证完整性。
这是从Scala.js文档中获取Future
到Promise
的映射:
+-----------------------------------+------------------------+-------------------------------------------------------------------------------------------------------+
| Future | Promise | Notes |
+-----------------------------------+------------------------+-------------------------------------------------------------------------------------------------------+
| foreach(func) | then(func) | Executes func for its side-effects when the future completes. |
| map(func) | then(func) | The result of func is wrapped in a new future. |
| flatMap(func) | then(func) | func must return a future. |
| recover(func) | catch(func) | Handles an error. The result of func is wrapped in a new future. |
| recoverWith(func) | catch(func) | Handles an error. func must return a future. |
| filter(predicate) | N/A | Creates a new future by filtering the value of the current future with a predicate. |
| zip(that) | N/A | Zips the values of this and that future, and creates a new future holding the tuple of their results. |
| Future.successful(value) | Promise.resolve(value) | Returns a successful future containing value |
| Future.failed(exception) | Promise.reject(value) | Returns a failed future containing exception |
| Future.sequence(iterable) | Promise.all(iterable) | Returns a future that completes when all of the futures in the iterable argument have been completed. |
| Future.firstCompletedOf(iterable) | Promise.race(iterable) | Returns a future that completes as soon as one of the futures in the iterable completes. |
+-----------------------------------+------------------------+-------------------------------------------------------------------------------------------------------+