就我而言,相同的 json 字段可能有不同的数据类型。例子:
"need_exp":1500
或者
"need_exp":"-"
如何处理此案?我知道它可以由parse
自定义编码器处理或使用,但这是一个非常复杂的 json 文本,有没有办法在不重写整个解码器的情况下解决这个问题(例如,只需“告诉”解码器将所有内容转换Int
为现场) ?String
need_exp
它被称为析取,可以使用 Scala 标准Either
类进行编码。只需将 json 映射到以下类:
case class Foo(need_exp: Either[String, Int])
我的解决方案是使用自定义解码器。重写一小部分 JSON 就可以了。
例如,有一个简单的 JSON:
{
/*many fields*/
"hotList":[/* ... many lists inside*/],
"list":[ {/*... many fields*/
"level_info":{
"current_exp":11463,
"current_level":5,
"current_min":10800,
"next_exp":28800 //there is the problem
},
"sex":"\u4fdd\u5bc6"},/*...many lists*/]
}
在这种情况下,我不需要重写整个 JSON 编码器,只需编写一个自定义编码器level_info
:
implicit val decodeUserLevel: Decoder[UserLevel] = (c: HCursor) => for
{
current_exp <- c.downField("current_exp").as[Int]
current_level <- c.downField("current_level").as[Int]
current_min <- c.downField("current_min").as[Int]
next_exp <- c.downField("next_exp").withFocus(_.mapString
{
case """-""" => "-1"
case default => default
}).as[Int]
} yield
{
UserLevel(current_exp, current_level, current_min, next_exp)
}
它奏效了。