16

我正在尝试将一些相对简单的模型序列化为 json。例如,我想获得以下的 json 表示:

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

我需要用适当的读写方法编写自己的 Format[User] 还是有其他方法?我看过https://github.com/playframework/Play20/wiki/Scalajson但我还是有点迷茫。

4

2 回答 2

24

是的,编写自己的Format实例是推荐的方法。给定以下类,例如:

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

该实例可能如下所示:

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)
  ))
}

你会像这样使用它:

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))

有关更多信息,请参阅文档

于 2012-08-16T02:39:50.233 回答
9

由于 User 是一个案例类,您还可以执行以下操作:

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

无需编写自己的 Format[User]。你可以对读取做同样的事情:

implicit val userImplicitReads = Json.reads[User]

我在文档中没有找到它,这里是 api 的链接:http://www.playframework.com/documentation/2.2.x/api/scala/index.html#play.api.libs.json。 json $

于 2014-04-04T07:22:00.213 回答