我正试图找到Futures
并在akka中询问模式。
所以,我制作了两个演员,一个要求另一个演员给他回信息。好吧,根据akka的Futures
文档,演员应该询问(?
)的消息,它会给他一个Future
个实例。然后演员应阻止(使用Await
)获得Future
结果。
好吧,我永远不会完成我的未来。那是为什么?
代码是:
package head_thrash
import akka.actor._
import akka.util.Timeout
import scala.concurrent.Await
import scala.concurrent.duration._
object Main extends App {
val system = ActorSystem("actors")
val actor1 = system.actorOf(Props[MyActor], "node_1")
val actor2 = system.actorOf(Props[MyActor], "node_2")
actor2 ! "ping_other"
system.awaitTermination()
Console.println("Bye!")
}
class MyActor extends Actor with ActorLogging {
import akka.pattern.ask
implicit val timeout = Timeout(100.days)
def receive = {
case "ping_other" => {
val selection = context.actorSelection("../node_1")
log.info("Sending ping to node_1")
val result = Await.result(selection ? "ping", Duration.Inf) // <-- Blocks here forever!
log.info("Got result " + result)
}
case "ping" => {
log.info("Sending back pong!")
sender ! "pong"
}
}
}
如果我将Duration.Inf
更改为5.seconds
,那么演员等待5秒,告诉我的未来是 Timeouted (通过抛出TimeoutException
),然后是其他演员终于回复了所需的消息。所以,没有异步发生。为什么? :-(
我应该如何正确实施该模式?感谢。
答案 0 :(得分:10)
官方Akka documentation说Await.result将导致当前线程阻止并等待Actor通过它的回复“完成”Future。
奇怪的是,你的代码永远存在于那里,你的所有应用程序只有一个线程吗?
无论如何,我猜一种更“习惯性”的编码方式就是对未来的成功使用回调。
def receive = {
case "ping_other" => {
val selection = context.actorSelection("../node_1")
log.info("Sending ping to node_1")
val future: Future[String] = ask(selection, "ping").mapTo[String]
future.onSuccess {
case result : String ⇒ log.info("Got result " + result)
}
}
...
答案 1 :(得分:5)
这不起作用的两个原因。
首先,“node_1”会自行询问并且“ping”将不会被处理,因为它在等待请求时阻塞。
此外,相对路径(“../node_1”)存在actorSelection的缺点。它使用消息传递进行处理,并且由于您的actor正在阻止它,因此无法处理任何其他消息。在即将推出的2.3版Akka中,这已得到改进,但无论如何都应该避免阻塞。