15

私は単純なスプレークライアントを持っています:

val pipeline = sendReceive ~> unmarshal[GoogleApiResult[Elevation]]

val responseFuture = pipeline {Get("http://maps.googleapis.com/maps/api/elevation/jsonlocations=27.988056,86.925278&sensor=false") }

responseFuture onComplete {
  case Success(GoogleApiResult(_, Elevation(_, elevation) :: _)) =>
    log.info("The elevation of Mt. Everest is: {} m", elevation)
    shutdown()

  case Failure(error) =>
    log.error(error, "Couldn't get elevation")
    shutdown()
}

完全なコードはここにあります。

Successサーバーの応答をモックして、 andFailureケースのロジックをテストしたいと考えています。私が見つけた唯一の関連情報はここにありましたが、ケーキパターンを使用して sendReceive メソッドをモックすることはできませんでした。

任意の提案や例をいただければ幸いです。

4

2 に答える 2

19

これは、テスト仕様に specs2 を使用し、モックに mockito を使用してモックする 1 つの方法の例です。まず、Mainモック用のクラス設定にリファクタリングされたオブジェクト:

class ElevationClient{
  // we need an ActorSystem to host our application in
  implicit val system = ActorSystem("simple-spray-client")
  import system.dispatcher // execution context for futures below
  val log = Logging(system, getClass)

  log.info("Requesting the elevation of Mt. Everest from Googles Elevation API...")

  import ElevationJsonProtocol._
  import SprayJsonSupport._

  def sendAndReceive = sendReceive

  def elavation = {
    val pipeline = sendAndReceive ~> unmarshal[GoogleApiResult[Elevation]]

    pipeline {
      Get("http://maps.googleapis.com/maps/api/elevation/json?locations=27.988056,86.925278&sensor=false")
    }   
  }


  def shutdown(): Unit = {
    IO(Http).ask(Http.CloseAll)(1.second).await
    system.shutdown()
  }
}

次に、テスト仕様:

class ElevationClientSpec extends Specification with Mockito{

  val mockResponse = mock[HttpResponse]
  val mockStatus = mock[StatusCode]
  mockResponse.status returns mockStatus
  mockStatus.isSuccess returns true

  val json = """
    {
       "results" : [
          {
             "elevation" : 8815.71582031250,
             "location" : {
                "lat" : 27.9880560,
                "lng" : 86.92527800000001
             },
             "resolution" : 152.7032318115234
          }
       ],
       "status" : "OK"
    }    
    """

  val body = HttpEntity(ContentType.`application/json`, json.getBytes())
  mockResponse.entity returns body

  val client = new ElevationClient{
    override def sendAndReceive = {
      (req:HttpRequest) => Promise.successful(mockResponse).future
    }
  }

  "A request to get an elevation" should{
    "return an elevation result" in {
      val fut = client.elavation
      val el = Await.result(fut, Duration(2, TimeUnit.SECONDS))
      val expected = GoogleApiResult("OK",List(Elevation(Location(27.988056,86.925278),8815.7158203125)))
      el mustEqual expected
    }
  }
}

したがって、ここでの私のアプローチは、最初に、スプレー関数に委任するだけのオーバーライド可能な関数をElevationClient呼び出しで定義することでした。次に、テスト仕様で、その関数をオーバーライドして、モックの完全なラッピングを返す関数を返します。これは、やりたいことを実行するための 1 つのアプローチです。これが役立つことを願っています。sendAndReceivesendReceivesendAndReceiveFutureHttpResponse

于 2013-05-16T14:27:25.640 に答える
11

この場合、モックを導入する必要はありません。既存の API を使用して HttpResponse を簡単に構築できるからです。

val mockResponse = HttpResponse(StatusCodes.OK, HttpEntity(ContentTypes.`application/json`, json.getBytes))

(これを別の回答として投稿して申し訳ありませんが、コメントするのに十分なカルマがありません)

于 2013-11-11T09:04:02.280 に答える