阿卡和蛋糕模式

时间:2013-04-14 05:28:10

标签: akka cake-pattern

我很困惑如何使用蛋糕模式确保我的Actors具有适当的依赖关系。我还在处理这个问题,我无法在任何地方找到任何例子。我基本上只是在寻找要遵循的教程/资源。

干杯,克里斯。

2 个答案:

答案 0 :(得分:10)

作为依赖的演员:

trait DBComponent {
   def db: ActorRef // no compile time guarantees

   type K
   type V

   object DBActor {
      case class Put(key: K, value: V)
      case class Get(key: K)
   }

   class DBActor {
      import DBActor._
      val db = scala.collection.mutable.Map.empty[K, V]
      def receive = {
         case Put(k, v) => db.put(k, v)
         case Get(k) => sender ! db.get(k)
      }
   }
}

trait ServiceComponent {
   this: DBComponent =>

   import DBActor._

   // you could be talking to deadLetters for all you know
   def put(k: K, v: V): Unit = db ! Put(k, v)
   def get(k: K): Option[V] = {
      implicit val timeout = Timeout(5 seconds)
      val future = ask(actor, Get(k)).mapTo[Option[V]]
      Await.result(future, timeout.duration)
   }
}

具有依赖关系的参与者(其中没有任何特殊内容):

trait DBComponent {
   def db: DB

   type K
   type V

   trait DB {
      def put(key: K, value: V): Unit
      def get(key: K): Option[V]
   }
}

trait ServiceComponent {
   this: DBComponent =>

   object ServiceActor {
      case class Put(key: K, value: V)
      case class Get(key: K)
   }

   class ServiceActor {
      import ServiceActor._
      def receive = {
         case Put(k, v) => db.put(k, v) // db is in scope
         case Get(k) => sender ! db.get(k)
      }
   }
}

答案 1 :(得分:2)

Owen指出,另一个问题是,使用actorOf(Props[MyClass])创建actor不适用于内部类。即:以下内容将失败:

trait MyComponent {
  class MyActor {
    def receive = ...
  }
}

new MyComponent {
  val myActorRef = system.actorOf( Props[MyActor] )
}

根据http://doc.akka.io/docs/akka/snapshot/scala/actors.html的文件,

  

如果它们未在顶级对象中声明,则为封闭   instance的this引用需要作为第一个参数传递

但是,scaladoc Props方法签名似乎不支持这一点。我找到的唯一方法是使用Props(actor:Actor)构造函数,实例化actor mysql并将其传递给Props。

val myActorRef = system.actorOf( Props( new MyActor(arg1, arg2) ) )

有兴趣知道是否有更好的方法..