11

これは私の前の質問へのフォローアップです。

割り込み可能なブロッキング呼び出しを実行するタスクがあるとします。として実行し、 のメソッドでFutureキャンセルたいと思います。failurePromise

キャンセルが次のように機能することを望みます。

  • タスクが終了する前にタスクをキャンセルした場合、タスクを「すぐに」終了させ、既に開始されている場合はブロッキング呼び出しを中断し、 を呼び出したいと思います。FutureonFailure

  • タスクが終了した後にタスクをキャンセルした場合、タスクが既に終了しているためキャンセルに失敗したというステータスを取得したいと思います。

それは理にかなっていますか?Scalaで実装することは可能ですか? そのような実装の例はありますか?

4

4 に答える 4

13

scala.concurrent.Future は読み取り専用であるため、あるリーダーが他のリーダーのために物事を台無しにすることはできません。

次のように、必要なものを実装できるはずです。

def cancellableFuture[T](fun: Future[T] => T)(implicit ex: ExecutionContext): (Future[T], () => Boolean) = {
  val p = Promise[T]()
  val f = p.future
  p tryCompleteWith Future(fun(f))
  (f, () => p.tryFailure(new CancellationException))
}

val (f, cancel) = cancellableFuture( future => {
  while(!future.isCompleted) continueCalculation // isCompleted acts as our interrupted-flag

  result  // when we're done, return some result
})

val wasCancelled = cancel() // cancels the Future (sets its result to be a CancellationException conditionally)
于 2013-04-16T00:43:12.523 に答える
11

以下は、Victor のコメントによる中断可能なバージョンのコードです (Victor、私の解釈が間違っていたら訂正してください)。

object CancellableFuture extends App {

  def interruptableFuture[T](fun: () => T)(implicit ex: ExecutionContext): (Future[T], () => Boolean) = {
    val p = Promise[T]()
    val f = p.future
    val aref = new AtomicReference[Thread](null)
    p tryCompleteWith Future {
      val thread = Thread.currentThread
      aref.synchronized { aref.set(thread) }
      try fun() finally {
        val wasInterrupted = (aref.synchronized { aref getAndSet null }) ne thread
        //Deal with interrupted flag of this thread in desired
      }
    }

    (f, () => {
      aref.synchronized { Option(aref getAndSet null) foreach { _.interrupt() } }
      p.tryFailure(new CancellationException)
    })
  }

  val (f, cancel) = interruptableFuture[Int] { () =>
    val latch = new CountDownLatch(1)

    latch.await(5, TimeUnit.SECONDS)    // Blocks for 5 sec, is interruptable
    println("latch timed out")

    42  // Completed
  }

  f.onFailure { case ex => println(ex.getClass) }
  f.onSuccess { case i => println(i) }

  Thread.sleep(6000)   // Set to less than 5000 to cancel

  val wasCancelled = cancel()

  println("wasCancelled: " + wasCancelled)
}

Thread.sleep(6000)出力は次のとおりです。

latch timed out
42
wasCancelled: false

Thread.sleep(1000)出力は次のとおりです。

wasCancelled: true
class java.util.concurrent.CancellationException
于 2013-04-17T02:49:30.670 に答える
6

Twitter の先物はキャンセルを実装します。ここを見てください:

https://github.com/twitter/util/blob/master/util-core/src/main/scala/com/twitter/util/Future.scala

行 563 は、これを担当する抽象メソッドを示しています。Scala の先物は現在キャンセルをサポートしていません。

于 2013-04-16T01:20:51.487 に答える