我正在尝试解析json,如
{
"element": "string",
"content": "application/json"
}
其中element
决定json是哪种类型。但我的代码无法解析。
import scalaz._, Scalaz._
import argonaut._, Argonaut._, Shapeless._
case class ArrayAttributes(default: List[StringElement])
sealed trait Element
case class StringElement(content: String) extends Element
case class ArrayElement(attributes: ArrayAttributes, content: List[Element]) extends Element
case class Reference(element: String) extends Element { def content = element }
object Parser {
def kindDecode[T](
kinds: Map[String, DecodeJson[T]],
fail: HCursor => DecodeResult[T] = { c: HCursor => DecodeResult.fail[T]("expected one of ${kind.keys}", c.history) }): DecodeJson[T] = DecodeJson(c =>
(c --\ "element").as[String].flatMap { kind =>
kinds.get(kind).map(_.decode(c)).getOrElse(fail(c))
}
)
implicit def elementDecode: DecodeJson[Element] = kindDecode(
Map(
"string" -> DecodeJson.of[StringElement].map(identity[Element]),
"array" -> arrayDecode.map(identity[Element])
),
{ c => DecodeJson.of[Reference].decode(c).map(identity[Element]) }
)
def arrayDecode: DecodeJson[ArrayElement] = jdecode2L(ArrayElement.apply)("attributes", "content")
}
答案 0 :(得分:1)
我将回答当前的argonaut-shapeless(1.0.0-M1
)里程碑,该版本自0.3.1
版本以来已经有相关的补充。
它允许为和类型指定所谓的JsonSumCodec
,它驱动子类型的编码/区分方式。
通过在其伴随对象中为Element
定义一个,例如
implicit val jsonSumCodecForElement = derive.JsonSumCodecFor[Element](
derive.JsonSumTypeFieldCodec(
typeField = "element",
toTypeValue = Some(_.stripSuffix("Element").toLowerCase)
)
)
你的例子正常运作:
> Parse.decodeEither[Element](member)
res1: (String \/ (String, CursorHistory)) \/ Element =
\/-(StringElement(application/json))
上面的 JsonSumCodecFor
是一个类型类,它为给定类型提供JsonSumCodec
,此处为Element
。作为JsonSumCodec
,我们选择JsonSumTypeFieldCodec
,默认使用字段"type"
来区分子类型。在这里,我们选择"element"
而不是"type"
,我们还转换子类型名称(toTypeValue
参数),以便它们匹配示例输入的名称。