正如akka的文档解释的那样,你应该能够以这种方式获得[[scala.concurrent.Future]]上的pipeTo
方法:
import akka.pattern.pipe
val future = ...
future pipeTo sender()
不幸的是,我不能这样做,我在IDE中收到错误“无法解析符号pipeTo”。
作为一种解决方法,我必须以这种方式使用语法
pipe(future) pipeTo sender()
但它仍然让我不知道为什么(我在scala BTW中非常新)。非常感谢帮助理解这个难题。
scala 2.12.2 akka 2.5.3
答案 0 :(得分:13)
你需要在范围内有一个implicit ExecutionContext
,这是一个例子:
import akka.actor.{Actor, ActorSystem, Props}
import akka.pattern.pipe
import scala.concurrent.Future
// Get the implicit ExecutionContext from this import
import scala.concurrent.ExecutionContext.Implicits.global
object Hello extends App {
// Creating a simple actor
class MyActor extends Actor {
override def receive: Receive = {
case x => println(s"Received message: ${x.toString}")
}
}
// Create actor system
val system = ActorSystem("example")
val ref = system.actorOf(Props[MyActor], "actor")
// Create the future to pipe
val future: Future[Int] = Future(100)
// Test
future pipeTo ref
}
控制台:
sbt run
[info] <stuff here>
[info] Running example.Hello
Received message: 100
您必须这样做是因为pipeTo
是PipeableFuture
上的实例函数,而您的常规Future
必须“增强”为PipeableFuture
。以下是PipeableFuture
的构造函数,请注意implicit executionContext: ExecutionContext
参数:
final class PipeableFuture[T](val future: Future[T])(implicit executionContext: ExecutionContext)
完整的课程就在这里,您可以在其中看到pipeTo
功能:
final class PipeableFuture[T](val future: Future[T])(implicit executionContext: ExecutionContext) {
def pipeTo(recipient: ActorRef)(implicit sender: ActorRef = Actor.noSender): Future[T] = {
future andThen {
case Success(r) ⇒ recipient ! r
case Failure(f) ⇒ recipient ! Status.Failure(f)
}
}
def pipeToSelection(recipient: ActorSelection)(implicit sender: ActorRef = Actor.noSender): Future[T] = {
future andThen {
case Success(r) ⇒ recipient ! r
case Failure(f) ⇒ recipient ! Status.Failure(f)
}
}
def to(recipient: ActorRef): PipeableFuture[T] = to(recipient, Actor.noSender)
def to(recipient: ActorRef, sender: ActorRef): PipeableFuture[T] = {
pipeTo(recipient)(sender)
this
}
def to(recipient: ActorSelection): PipeableFuture[T] = to(recipient, Actor.noSender)
def to(recipient: ActorSelection, sender: ActorRef): PipeableFuture[T] = {
pipeToSelection(recipient)(sender)
this
}
}
由于pipe(future)
不是Future上的实例函数,因此它适用于您的示例。