Java Future有cancel
方法,它可以中断运行Future
任务的线程。例如,如果我在Java Future
中包装可中断的阻塞调用,我可以在以后中断它。
Scala Future不提供cancel
方法。假设我在Scala Future
中包含可中断的阻止调用。我怎么能打断它?
答案 0 :(得分:30)
这还不是Future
API的一部分,但可能会在将来作为扩展添加。
作为一种解决方法,您可以使用firstCompletedOf
来包装2个未来 - 您要取消的未来以及来自自定义Promise
的未来。然后,您可以通过失败承诺来取消由此创建的未来:
def cancellable[T](f: Future[T])(customCode: => Unit): (() => Unit, Future[T]) = {
val p = Promise[T]
val first = Future firstCompletedOf Seq(p.future, f)
val cancellation: () => Unit = {
() =>
first onFailure { case e => customCode}
p failure new Exception
}
(cancellation, first)
}
现在你可以在任何将来调用它来获得“可取消的包装器”。用例示例:
val f = callReturningAFuture()
val (cancel, f1) = cancellable(f) {
cancelTheCallReturningAFuture()
}
// somewhere else in code
if (condition) cancel() else println(Await.result(f1))
编辑:
有关取消的详细讨论,请参阅Learning concurrent programming in Scala一书中的第4章。
答案 1 :(得分:9)
我没有对此进行测试,但这扩展了PabloFranciscoPérezHidalgo的答案。我们不是阻止等待java Future
,而是使用中间Promise
。
import java.util.concurrent.{Callable, FutureTask}
import scala.concurrent.{ExecutionContext, Promise}
import scala.util.Try
class Cancellable[T](executionContext: ExecutionContext, todo: => T) {
private val promise = Promise[T]()
def future = promise.future
private val jf: FutureTask[T] = new FutureTask[T](
new Callable[T] {
override def call(): T = todo
}
) {
override def done() = promise.complete(Try(get()))
}
def cancel(): Unit = jf.cancel(true)
executionContext.execute(jf)
}
object Cancellable {
def apply[T](todo: => T)(implicit executionContext: ExecutionContext): Cancellable[T] =
new Cancellable[T](executionContext, todo)
}
答案 2 :(得分:8)
答案 3 :(得分:3)
我认为可以通过使用Java 7 Future
interface及其实现来降低所提供的实现的复杂性。
Cancellable
可以构建一个Java未来,它将被cancel
方法取消。另一个未来可以等待它的完成,从而成为可观察的接口,它本身在状态中是不可变的:
class Cancellable[T](executionContext: ExecutionContext, todo: => T) {
private val jf: FutureTask[T] = new FutureTask[T](
new Callable[T] {
override def call(): T = todo
}
)
executionContext.execute(jf)
implicit val _: ExecutionContext = executionContext
val future: Future[T] = Future {
jf.get
}
def cancel(): Unit = jf.cancel(true)
}
object Cancellable {
def apply[T](todo: => T)(implicit executionContext: ExecutionContext): Cancellable[T] =
new Cancellable[T](executionContext, todo)
}