case class Foo(
_1:Int,_2:Int,_3:Int,_4:Int,_5:Int,
_21:Int,_22:Int,_23:Int,_24:Int,_25:Int,
_31:Int,_32:Int,_33:Int,_34:Int,_35:Int,
_41:Int,_42:Int,_43:Int,_44:Int,_45:Int,
_51:Int,_52:Int,_53:Int,_54:Int,_55:Int
)
对于像这样的case类,我需要编写隐式json de- / serializer。 我尝试拆分字段,并有一个JSONFormat。但是我仍然需要隐式OWrited来使用Json.obj()。我也尝试过play-json-extensions。有什么想法吗?
答案 0 :(得分:1)
您可以在这里探索三种途径:
当别人为我做这项工作时,我喜欢它。所以考虑到这一点,#3似乎是我首选的解决方案......你知道什么?其他人就是这么做的:play-json-derived-codecs。由于它使用Shapeless,它将能够处理任意大小的案例类,而不仅仅是那些受ProductN约束的案例(1-22,具体取决于您的Scala版本。)
答案 1 :(得分:1)
我们可以在不使用play-json-extensions的情况下实现。假设我们有一个超过22个字段的案例类如下:
case class Foo(
A: Int,
B: Option[Int],
C: String,
D: Option[String],
E: Seq[String],
F: Date
more fields..
)
现在我们将分割字段并将其分组为一些组并写入格式。
val fooFormat1: OFormat[(Int, Option[Int], String)] =
((__ \ "A").format[Long]
~ (__ \ "B").format[Option[Long]]
~ (__ \ "C").format[Option[Long]]).tupled
val fooFormat2: OFormat[(Option[String], Seq[String], Date)] =
((__ \ "D").format[Long]
~ (__ \ "E").format[Option[Long]]
~ (__ \ "F").format[Option[Long]]).tupled
最后将所有格式合并为一种格式。
implicit val fooFormat: Format[Foo] = (fooFormat1 ~ fooFormat2)({
case ((a, b, c), (d, e, f)) =>
new Foo(a, b, c, d, e, f)
}, (foo: Foo) => ((
foo.A,
foo.B,
foo.C
), (
foo.D,
foo.E,
foo.F
)))
我们需要导入如下函数语法:
import play.api.libs.functional.syntax._
现在,play无法序列化/反序列化可选和日期字段。因此,我们需要为可选和日期字段编写隐式格式,如下所示:
implicit object DateFormat extends Format[java.util.Date] {
val format = new java.text.SimpleDateFormat("yyyy-MM-dd")
def reads(json: JsValue): JsResult[java.util.Date] = JsSuccess(format.parse(json.as[String]))
def writes(date: java.util.Date): JsString = JsString(format.format(date))
}
implicit def optionFormat[T: Format]: Format[Option[T]] = new Format[Option[T]] {
override def reads(json: JsValue): JsResult[Option[T]] = json.validateOpt[T]
override def writes(o: Option[T]): JsValue = o match {
case Some(t) => implicitly[Writes[T]].writes(t)
case None => JsNull
}
}
我们需要为超过 22 字段的案例类编写写入。
您可以阅读我的文章here ..