14

我正在写一个客户序列化器。在那个序列化器中,我想以某种方式说:“这个东西你已经知道如何序列化了”。

我目前的方法是这样的:

    import org.json4s.native.Serialization._
    import org.json4s.JsonDSL.WithBigDecimal._

    object WindowSerializer extends CustomSerializer[Window](format =>
      ( [omitted],
        {
          case Window(frame, size) =>

            ( "size" -> size ) ~
            ( "frame" -> parse(write(frame)) )
        }))

parse(write(frame))东西既丑陋又低效。如何解决?

4

1 回答 1

24

您可以使用运行时反射调用Extraction.decompose(a: Any)(implicit formats: Formats): JValuewhich 从某个值产生 a 。JValue

import org.json4s._
import org.json4s.jackson.JsonMethods._
import org.json4s.JsonDSL._
import java.util.UUID

case class Thing(name: String)
case class Box(id: String, thing: Thing)

class BoxSerializer extends CustomSerializer[Box](format => ({
  case jv: JValue =>
    val id = (jv \ "id").extract[String]
    val thing = (jv \ "thing").extract[Thing]
    Box(id, thing)
}, {
  case b: Box =>
    ("token" -> UUID.randomUUID().toString()) ~
      ("id" -> box.id) ~
      ("thing" -> Extraction.decompose(box.thing))
}))

implicit val formats = DefaultFormats + new BoxSerializer

val box = Box("1000", Thing("a thing"))

// decompose the value to JSON 
val json = Extraction.decompose(box)
println(pretty(json))
//  {
//    "token" : "d9bd49dc-11b4-4380-ab10-f6df005a384c",
//    "id" : "1000",
//    "thing" : {
//      "name" : "a thing"
//    }
//  }

// and read a value of type Box back from the JSON
println(json.extract[Box])
// Box(1000,Thing(a thing))
于 2014-04-12T23:39:19.653 回答