2

次のような JSON があります。

{
  "switch": "foo",
  "items": [
    {"type": "one"},
    {"type": "two"}
  ]
}

そのようなクラスの構造にロードしたい:

case class MyFile(
  @JsonProperty("switch") _switch: String,
  @JsonProperty("items") _items: JList[Item],
) {
  val items: List[Item] = _items.toList
}

case class Item(t: String)
object Item {
  @JsonCreator
  def create(@JsonProperty("type") _type: String): Item = {
    Item(t) // <= conversion
  }
}

秘訣は、「スイッチ」の値に依存する何らかの関数を使用して、受信した「タイプ」文字列を変換したいということです。最も単純な例は次のようなものです

def create(@JsonProperty("type") _type: String): Item = {
  Item(t + "_" + switchValue)
}

@JsonCreatorただし、構文解析中 (つまり、コンストラクターまたは静的メソッド内)で JSON ツリーの一部にアクセスする方法が見つからないようです。

私がこれまでに持ってきた唯一のものは、基本的に次のようなグローバル変数です:

case class MyFile(
  @JsonProperty("switch") _switch: String,
  @JsonProperty("items") _items: JList[Item],
) {
  MyFile.globalSwitch = _switch
  val items: List[Item] = _items.toList
}

object MyFile {
  var globalSwitch = ""
}

case class Item(t: String)
object Item {
  @JsonCreator
  def create(@JsonProperty("type") _type: String): Item = {
    Item(t + "_" + MyFile.globalSwitch) // <= conversion
  }
}

それは機能しますが、明らかにかなり醜いです。たとえば、異なるスイッチ値を持つ2つのファイルを並行して解析することはできません。より良い解決策はありますか? たとえば、ObjectMapper ごとまたは解析ごとの何らかのコンテキストにアクセスして、この設定を保存できるのではないでしょうか?

4

1 に答える 1

1

私はそれがあなたに役立つと思います: https://github.com/spray/spray-json

import spray.json._
case class NamedList[A](name: String, items: List[A])
case class Item(t: String)

object MyJsonProtocol extends DefaultJsonProtocol {
  implicit def namedListFormat[A :JsonFormat] = jsonFormat2(NamedList.apply[A])
implicit val ItemDTO = jsonFormat1(Item.apply)
}
import MyJsonProtocol._
val list = NamedList[Item](name = "Alex", items = Item("Moran")::Item("Sem")::Nil)
val res = list.toJson.toString()
val parse = res.parseJson.convertTo[NamedList[Item]]

解像度:

   res: String = 
{
    "name":"Alex",
    "items":
    [
      {"t":"Moran"},
      {"t":"Sem"}
    ]
}

解析:

parse: NamedList[Item] = NamedList(Alex, List(Item(Moran), Item(Sem)))

スイッチャーは〜〜のようにすることができます

 implicit class Switcher[A <: Item](data: NamedList[A]){
      def getEr = data.name match{
        case "Jone" => ("It`s Jone", data)
        case "Alex" => ("It`s Alex", data)
      }
     def getErFunc[T](func : (NamedList[A], String) => T) = 
         data.name match{
           case "Jone" => ("It`s Jone", func(data , "Param"))
           case "Alex" => ("It`s Alex", func(data, "Not Param"))
  }
}

val res2 = parse.getEr
val res3 = parse.getErFunc((f, s) => (f.items.size, s.toUpperCase))

解像度:

res2: (String, NamedList[Item]) = 
  (It`s Alex,NamedList(Alex,List(Item(Moran), Item(Sem))))

res3: (String, (Int, String)) = (It`s Alex,(2,NOT PARAM))
于 2016-03-10T16:50:49.263 に答える