我想一些相对简单的模型序列化到JSON。 例如,我想获得的JSON表示:
case class User(val id: Long, val firstName: String, val lastName: String, val email: Option[String]) {
def this() = this(0, "","", Some(""))
}
我是否需要写我自己的格式[用户]用适当的读取和写入方法还是有一些其他的方式? 我看了https://github.com/playframework/Play20/wiki/Scalajson ,但我还是有点失落。
是的,写自己的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))
请参阅文档以获取更多信息。
由于这样的事实:用户是一个案例类,你也可以做这样的事情:
implicit val userImplicitWrites = Json.writes[User]
val jsUserValue = Json.toJson(userObject)
不用自己撰写格式[用户]。 你可以做同样的记载:
implicit val userImplicitReads = Json.reads[User]
我还没有找到它的文档,这里是链接到API: http://www.playframework.com/documentation/2.2.x/api/scala/index.html#play.api.libs.json。 JSON $