2

模型:

case class DateValue(year: Option[Int] = None, month: Option[Int] = None)

基于 Argonaut 的解码器:

implicit val dateValueDecode = casecodec2(DateValue.apply, DateValue.unapply)("year", "month")

这允许解析这样的格式:

{
  "year": "2013",
  "month": "10"
}

现在我想简化 JSON 格式并使用

"2013/10"

相反,但保持我的模型不变。如何使用 Argonaut 完成此任务?

4

1 回答 1

2

以下内容是即兴的,但它应该可以工作。请注意,我假设当该值为空时,您只希望在分隔符的任一侧都有一个空字符串,并且我没有验证月份值是否在 1 到 12 之间。

import argonaut._, Argonaut._
import scalaz._, Scalaz._

case class DateValue(year: Option[Int] = None, month: Option[Int] = None)

object YearMonth {
  def unapplySeq(s: String) =
    """((?:\d\d\d\d)?)/((?:\d?\d)?)""".r.unapplySeq(s).map {
      case List("", "") => List(None, None)
      case List(y, "") => List(Some(y.toInt), None)
      case List("", m) => List(None, Some(m.toInt))
      case List(y, m) => List(Some(y.toInt), Some(m.toInt))
  }
}

implicit val DateValueCodecJson: CodecJson[DateValue] = CodecJson(
  { case DateValue(year, month) => jString(~year + "/" + ~month) },
  c => c.as[String].flatMap {
    case YearMonth(y, m) => DecodeResult.ok(DateValue(y, m))
    case _ => DecodeResult.fail("Not a valid date value!", c.history)
  }
)

接着:

val there = Parse.decodeValidation[DateValue](""""2013/12"""")
val back = there.map(DateValueCodecJson.encode)

这给了我们:

scala> println(there)
Success(DateValue(Some(2013),Some(12)))

scala> println(back)
Success("2013/12")

正如预期的那样。

诀窍是为CodecJson.apply. 编码函数非常简单——它只需要一些编码类型并返回一个Json值。解码方法稍微复杂一点,因为它需要 aHCursor并返回 a DecodeResult,但这些也很容易使用。

于 2013-10-25T00:44:28.170 回答