serializing objects to json with play.api.libs.json

前端 未结 2 493
陌清茗
陌清茗 2021-02-01 07:34

I\'m trying to serialize some relatively simple models into json. For example, I\'d like to get the json representation of:

case class User(val id: Long, val fir         


        
相关标签:
2条回答
  • 2021-02-01 07:59

    Yes, writing your own Format instance is the recommended approach. Given the following class, for example:

    case class User(
      id: Long, 
      firstName: String,
      lastName: String,
      email: Option[String]
    ) {
      def this() = this(0, "","", Some(""))
    }
    

    The instance might look like this:

    import play.api.libs.json._
    
    implicit object UserFormat extends Format[User] {
      def reads(json: JsValue) = User(
        (json \ "id").as[Long],
        (json \ "firstName").as[String],
        (json \ "lastName").as[String],
        (json \ "email").as[Option[String]]
      )
    
      def writes(user: User) = JsObject(Seq(
        "id" -> JsNumber(user.id),
        "firstName" -> JsString(user.firstName),
        "lastName" -> JsString(user.lastName),
        "email" -> Json.toJson(user.email)
      ))
    }
    

    And you'd use it like this:

    scala> User(1L, "Some", "Person", Some("s.p@example.com"))
    res0: User = User(1,Some,Person,Some(s.p@example.com))
    
    scala> Json.toJson(res0)
    res1: play.api.libs.json.JsValue = {"id":1,"firstName":"Some","lastName":"Person","email":"s.p@example.com"}
    
    scala> res1.as[User]
    res2: User = User(1,Some,Person,Some(s.p@example.com))
    

    See the documentation for more information.

    0 讨论(0)
  • 2021-02-01 08:02

    Thanks to the fact User is a case class you could also do something like this:

    implicit val userImplicitWrites = Json.writes[User]
    val jsUserValue = Json.toJson(userObject)
    

    without writing your own Format[User]. You could do the same with reads:

    implicit val userImplicitReads = Json.reads[User]
    

    I haven't found it in the docs, here is the link to the api: http://www.playframework.com/documentation/2.2.x/api/scala/index.html#play.api.libs.json.Json$

    0 讨论(0)
提交回复
热议问题