Polymorphic lift-json deserialization in a composed class

前端 未结 1 1553
时光取名叫无心
时光取名叫无心 2021-02-06 08:53

I am trying to automatically deserialize json object to a scala class using Lift-Json with a coordinate class inside used to store GeoJson information.

case clas         


        
相关标签:
1条回答
  • 2021-02-06 09:47

    Yes, you need to use type hints for sum types like Geometry. Here's one example:

    implicit val formats = DefaultFormats.withHints(ShortTypeHints(List(classOf[Point], classOf[LineString], classOf[Polygon])))
    
    val r = Request("test", LineString(List(Point(100.0, 0.0), Point(101.0, 1.0))))
    
    Serialization.write(r)
    
    {
    "name":"test",
    "geometry":{
      "jsonClass":"LineString",
      "coordinates":[{"jsonClass":"Point","coordinates":{"_1$mcD$sp":100.0,"_2$mcD$sp":0.0}},{"jsonClass":"Point","coordinates":{"_1$mcD$sp":101.0,"_2$mcD$sp":1.0}}]}
    }
    

    Not quite what you wanted. Since you want to change the default serialization scheme for Points, you need to provide a custom serializer for that type.

    class PointSerializer extends Serializer[Point] {
      private val Class = classOf[Point]
    
      def deserialize(implicit format: Formats) = {
        case (TypeInfo(Class, _), json) => json match {
          case JArray(JDouble(x) :: JDouble(y) :: Nil) => Point(x, y)
          case x => throw new MappingException("Can't convert " + x + " to Point")
        }
      }
    
      def serialize(implicit format: Formats) = {
        case p: Point => JArray(JDouble(p.coordinates._1) :: JDouble(p.coordinates._2) :: Nil)
      }
    }
    
    // Configure it
    implicit val formats = DefaultFormats.withHints(ShortTypeHints(List(classOf[Point], classOf[LineString], classOf[Polygon]))) + new PointSerializer
    
    Serialization.write(r)
    
    {
      "name":"test",
      "geometry":{
        "jsonClass":"LineString",
        "coordinates":[[100.0,0.0],[101.0,1.0]]
      }
    }
    

    Better, but you need one more configuration if you need to change the default field named as 'jsonClass' to 'type':

    implicit val formats = new DefaultFormats { 
      override val typeHintFieldName = "type" 
      override val typeHints = ShortTypeHints(List(classOf[Point], classOf[LineString], classOf[Polygon]))
    } + new PointSerializer
    
    Serialization.write(r)
    
    {
      "name":"test",
      "geometry":{
        "type":"LineString",
        "coordinates":[[100.0,0.0],[101.0,1.0]]
      }
    }
    
    0 讨论(0)
提交回复
热议问题