Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How can I simulate a POST request with a json body in SprayTest?

If I have an endpoint that unmarshalls json like this:

(path("signup")& post) {
    entity(as[Credentials]) { credentials =>
    …

How can I test that with a Spray test spec:

"The Authentication service" should {

"create a new account if none exists" in {
   Post("/api/authentication/signup", """{"email":"foo", "password":"foo:" }""") ~> authenticationRoute ~> check {
    handled === true
  }
}
}

That obviously doesn't work for several reasons. What would be the correct way?

like image 262
iwein Avatar asked Sep 25 '13 07:09

iwein


1 Answers

The trick is to set the correct Content-Type:

Post("/api/authentication/signup", 
    HttpBody(MediaTypes.`application/json`, 
          """{"email":"foo", "password":"foo" }""")
)

But it gets even simpler. If you have a spray-json dependency, then all you need to do is import:

import spray.httpx.SprayJsonSupport._
import spray.json.DefaultJsonProtocol._

the first import contains (un)marshaller which would convert your string into json request and you do not need to wrap it into HttpEntity with explicit media type.

the second import contains all Json readers/writers format for basic types. Now you can write just: Post("/api/authentication/signup", """{"email":"foo", "password":"foo:" }"""). But it's even cooler if you have some case class for this. For ex. you can define a case class Credentials, provide jsonFormat for this and use it in tests/project:

case class Creds(email: String, password: String)
object Creds extends DefaultJsonProtocol {
  implicit val credsJson = jsonFormat2(Creds.apply)
}

now in test:

Post("/api/authentication/signup", Creds("foo", "pass"))

spray automatically marshall it into Json request as application/json

like image 53
4lex1v Avatar answered Sep 24 '22 07:09

4lex1v