我将以下JSON文件解析为案例类:
{
"root": {
"nodes": [{
"id": "1",
"attributes": {
"name": "Node 1",
"size": "3"
}
},
{
"id": "2",
"attributes": {
"value": "4",
"name": "Node 2"
}
}
]
}
}
问题是属性里面可能有任何值:名称,大小,值,任何东西......
此时我已经定义了我的案例类:
case class Attributes(
name: String,
size: String,
value: Sting
)
case class Nodes(
id: String,
attributes: Attributes
)
case class Root(
nodes: List[Nodes]
)
case class R00tJsonObject(
root: Root
)
当我收到任何属性时,什么是处理这种情况的最佳方式?
目前我正在使用Json4s处理子文件。
谢谢!
答案 0 :(得分:2)
您的属性是任意多个且名称不同,但似乎您可以将它们存储在Map[String, String]
中(至少,如果这些示例可以通过)。在这种情况下,使用circe-parser(https://circe.github.io/circe/parsing.html),你可以简单地沿着这些行使用代码,以便将你的JSON直接转换为一个简单的case-class:
import io.circe._, io.circe.parser._
import io.circe.generic.semiauto._
case class Node(id: String, attributes: Map[String,String])
case class Root(nodes: List[Node])
implicit val nodeDecoder: Decoder[Node] = deriveDecoder[Node]
implicit val nodeEncoder: Encoder[Node] = deriveEncoder[Node]
implicit val rootDecoder: Decoder[Root] = deriveDecoder[Root]
implicit val rootEncoder: Encoder[Root] = deriveEncoder[Root]
def myParse(jsonString: String) = {
val res = parse(jsonString) match {
case Right(json) => {
val cursor = json.hcursor
cursor.get[Root]("root")
}
case _ => Left("Wrong JSON!")
}
println(res)
}
此代码段将打印
Right(Root(List(Node(1,Map(name -> Node 1, size -> 3)), Node(2,Map(value -> 4, name -> Node 2)))))
在控制台上,对于JSON,你已经给出了。 (假设,解决方案 不在Json4s中。)