Option[String] フィールドを JSON との間でマーシャリングおよびアンマーシャリングしようとしています。私のユースケースでは、None 値は「null」としてマーシャリングする必要があります。ここに私が持っているコードがあります:
import org.scalatest.{FlatSpec, Matchers}
import play.api.libs.json._
import play.api.libs.json.Reads._
import play.api.libs.functional.syntax._
case class Person(
id: Int,
firstName: Option[String],
lastName: Option[String]
)
object Person {
implicit lazy val personFormat = (
(__ \ "id").format[Int] and
(__ \ "first_name").format[Option[String]] and
(__ \ "last_name").format[Option[String]]
)(Person.apply, unlift(Person.unapply))
}
class PersonSpec extends FlatSpec with Matchers {
"When Person instance is marshaled None fields " should
"be serialized as \"null\" values" in {
val person = Person(1, None, None)
import Person._
val json = Json.toJson(person)
println(json)
(json \ "id").as[Int] should be (1)
(json \ "first_name").get should be (JsNull)
(json \ "last_name").get should be (JsNull)
}
}
これにより、次のコンパイラ エラーが発生します。
PersonSpec.scala:19: No Json formatter found for type Option[String]. Try to implement an implicit Format for this type.
[error] (__ \ "first_name").format[Option[String]] and
[error] ^
これらは私が試したことのいくつかです:
で置き換える(__ \ "first_name").format[Option[String]]
と(__ \ "first_name").formatNullable[String]
コンパイラは満足しますが、テストは失敗し (""java.util.NoSuchElementException: None.get"")、次の出力 (からprintln(json)
)
{"id":1}
これはformatNullable
の動作と一致します (None 値のフィールドをレンダリングしないでください)。
次に、フォーマットをwrites
. そのようです:
object Person {
implicit lazy val personWrite = (
(__ \ "id").write[Int] and
(__ \ "first_name").write[Option[String]] and
(__ \ "last_name").write[Option[String]]
)(unlift(Person.unapply))
}
これで、コンパイラは問題なくテストに合格しました。
しかし、別の Reads を実装する必要があります。できれば、DRYの原則に違反するので、むしろしたくありません。
私は何を間違っていますか? write[Option[...]] が完全に機能するのに、なぜ format[Option[...]] ではないのでしょうか?