2

只需编写一个单元测试以确保演员在某些条件下关闭,所以我有一个类似的测试:

    val tddTestActor = TestActorRef[MyActor](Props(classOf[MyActor], "param1"))
    tddTestActor ! someMessage
    tddTestActor.isTerminated shouldBe true

我收到一个警告,isTerminated已被弃用。提示建议我使用context.watch()但是在单元测试中我没有父演员或任何要观看的上下文。

验证tddTestActor关闭的最佳方法是什么?

4

1 回答 1

2

我同意观看是完成这项工作的最佳方式。当我测试停止行为时,我通常会使用 aTestProbe作为观察者来检查我的被测演员。假设我有一个非常简单的Actor定义如下:

class ActorToTest extends Actor{
  def receive = {
    case "foo" => 
      sender() ! "bar"
      context stop self
  }
}

然后,将 specs2 与 akka 结合使用,TestKit我可以像这样测试停止行为:

class StopTest extends TestKit(ActorSystem()) with SpecificationLike with ImplicitSender{

  trait scoping extends Scope {
    val watcher = TestProbe()
    val actor = TestActorRef[ActorToTest]
    watcher.watch(actor)
  }

  "Sending the test actor a foo message" should{
    "respond with 'bar' and then stop" in new scoping{
      actor ! "foo"
      expectMsg("bar")
      watcher.expectTerminated(actor)
    }
  }

}
于 2016-03-29T23:19:37.787 回答