Marouane Lakhal
Marouane Lakhal

Reputation: 784

Deserializer for List[T] types

I'm trying to deserialize a JsArray into a List[T] in a playframework application using Scala. After some research I found this method which is supposed to do the needed work:

/**
 * Deserializer for List[T] types.
 */
implicit def listReads[T](implicit fmt: Reads[T]): Reads[List[T]] = new Reads[List[T]] {
  def reads(json: JsValue) = json match {
    case JsArray(ts) => ts.map(t => fromJson(t)(fmt)).toList
    case _ => throw new RuntimeException("List expected")
  }
}

The problem is that I didn't know how to use it. Any help is welcome.

Upvotes: 1

Views: 1327

Answers (1)

Travis Brown
Travis Brown

Reputation: 139038

Here's a quick example:

scala> import play.api.libs.json._
import play.api.libs.json._

scala> Json.toJson(List(1, 2, 3)).as[List[Int]]
res0: List[Int] = List(1, 2, 3)

And if you have a custom type with a Format instance:

case class Foo(i: Int, x: String)

implicit object fooFormat extends Format[Foo] {
  def reads(json: JsValue) = Foo(
    (json \ "i").as[Int],
    (json \ "x").as[String]
  )
  def writes(foo: Foo) = JsObject(Seq(
    "i" -> JsNumber(foo.i),
    "x" -> JsString(foo.x)
  ))
 }

It still works:

scala> val foos = Foo(1, "a") :: Foo(2, "bb") :: Nil
foos: List[Foo] = List(Foo(1,a), Foo(2,bb))

scala> val json = Json.toJson(foos)
json: play.api.libs.json.JsValue = [{"i":1,"x":"a"},{"i":2,"x":"bb"}]

scala> json.as[List[Foo]]
res1: List[Foo] = List(Foo(1,a), Foo(2,bb))

This approach would also work if your custom type had a xs: List[String] member, for example: you'd just use (json \ "xs").as[List[String]] in your reads method and Json.toJson(foo.xs) in your writes.

Upvotes: 3

Related Questions