25

我有示例代码来生成未绑定的源并使用它:

对象主要{

 def main(args : Array[String]): Unit = {

  implicit val system = ActorSystem("Sys")
  import system.dispatcher

  implicit val materializer = ActorFlowMaterializer()

  val source: Source[String] = Source(() => {
     Iterator.continually({ "message:" + ThreadLocalRandom.current().nextInt(10000)})
    })

  source.runForeach((item:String) => { println(item) })
  .onComplete{ _ => system.shutdown() }
 }

}

我想创建实现的类:

trait MySources {
    def addToSource(item: String)
    def getSource() : Source[String]
}

我需要将它与多个线程一起使用,例如:

class MyThread(mySources: MySources) extends Thread {
  override def run(): Unit = {
    for(i <- 1 to 1000000) { // here will be infinite loop
        mySources.addToSource(i.toString)
    }
  }
} 

和预期的完整代码:

object Main {
  def main(args : Array[String]): Unit = {
    implicit val system = ActorSystem("Sys")
    import system.dispatcher

    implicit val materializer = ActorFlowMaterializer()

    val sources = new MySourcesImplementation()

    for(i <- 1 to 100) {
      (new MyThread(sources)).start()
    }

    val source = sources.getSource()

    source.runForeach((item:String) => { println(item) })
    .onComplete{ _ => system.shutdown() }
  }
}

如何实施MySources

4

3 回答 3

21

获得非有限来源的一种方法是使用一种特殊的演员作为来源,一种混合​​了ActorPublisher特征的演员。如果您创建其中一种参与者,然后使用对 的调用进行包装ActorPublisher.apply,您最终会得到一个 Reactive StreamsPublisher实例,并且您可以使用applyfrom从它Source生成一个Source。之后,您只需要确保您的ActorPublisher类正确处理用于向下游发送元素的 Reactive Streams 协议,您就可以开始了。一个非常简单的例子如下:

import akka.actor._
import akka.stream.actor._
import akka.stream.ActorFlowMaterializer
import akka.stream.scaladsl._

object DynamicSourceExample extends App{

  implicit val system = ActorSystem("test")
  implicit val materializer = ActorFlowMaterializer()

  val actorRef = system.actorOf(Props[ActorBasedSource])
  val pub = ActorPublisher[Int](actorRef)

  Source(pub).
    map(_ * 2).
    runWith(Sink.foreach(println))

  for(i <- 1 until 20){
    actorRef ! i.toString
    Thread.sleep(1000)
  }

}

class ActorBasedSource extends Actor with ActorPublisher[Int]{
  import ActorPublisherMessage._
  var items:List[Int] = List.empty

  def receive = {
    case s:String =>
      if (totalDemand == 0) 
        items = items :+ s.toInt
      else
        onNext(s.toInt)    

    case Request(demand) =>  
      if (demand > items.size){
        items foreach (onNext)
        items = List.empty
      }
      else{
        val (send, keep) = items.splitAt(demand.toInt)
        items = keep
        send foreach (onNext)
      }


    case other =>
      println(s"got other $other")
  }


}
于 2015-03-16T12:47:44.437 回答
12

使用 Akka Streams 2,您可以使用 sourceQueue :如何创建可以稍后通过方法调用接收元素的 Source?

于 2015-06-19T06:33:51.877 回答
0

正如我在这个答案中提到的那样,这SourceQueue是要走的路,从 Akka 2.5 开始,有一种方便的方法preMaterialize可以消除首先创建复合源的需要。

我在另一个答案中举了一个例子。

于 2019-08-26T14:08:29.800 回答