我的API模型中有几个Boolean
属性,并希望接受true
/ false
以及1
/ 0
值。我的第一个想法是实现自定义格式化程序:
object UserJsonProtocol extends DefaultJsonProtocol {
implicit object MyBooleanJsonFormat extends JsonFormat[Boolean] {
def write(value: Boolean): JsString = {
return JsString(value.toString)
}
def read(value: JsValue) = {
value match {
case JsString("1") => true
case JsString("0") => false
case JsString("true") => true
case JsString("false") => false
case _ => throw new DeserializationException("Not a boolean")
}
}
}
implicit val userFormat = jsonFormat15(User.apply)
}
其中
User
是具有Boolean
属性的模型。不幸的是,以上解决方案没有效果-1/0
不被接受为布尔值。有什么办法吗? 最佳答案
解决类型和模式匹配的一些问题后,它似乎可以工作:
implicit object MyBooleanJsonFormat extends JsonFormat[Boolean] {
def write(value: Boolean): JsBoolean = {
return JsBoolean(value)
}
def read(value: JsValue) = {
value match {
case JsNumber(n) if n == 1 => true
case JsNumber(n) if n == 0 => false
case JsBoolean(true) => true
case JsBoolean(false) => false
case _ => throw new DeserializationException("Not a boolean")
}
}
}
关于json - 如何在Spray JSON中为 bool 类型实现自定义反序列化器,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/34897398/