从JsObject解析Scala List [Int]

时间:2015-10-15 13:05:34

标签: json scala playframework playframework-2.3 jsonobject

我需要解析来自[Int]的列表JsObject值。我已通过以下代码获得String的正常IntJsObject值。

我得到了什么

def receive = {
    case json_req: JsObject =>  {

        val studentName = (json_req \ "student_name").as[String]
        val studentNo = (json_req \ "student_no").as[Int]  

     println("studentName"+student_name)
     println("studentNo"+student_no)
    }
  }

以上代码打印学生姓名以及学生编号

我需要什么

的JSONObject

{"student_records":[
{"student_id":9,"class_id":9},
{"student_id":10,"class_id":10},
{"student_id":11,"class_id":11}
]}

从上面JsonObject我需要得到两个列表值可能是学生ID列表和类ID列表

StudentList = List[9,10,11]
ClassList = List[9,10,11]

我尝试了什么

def receive = {
    case json_req: JsObject =>  {
      try {

         val StudentList  = (json_req \ "student_records" \\ "student_id").map(_.as[Int]).toList
          val ClassList  = (json_req \ "student_records" \\ "class_id").map(_.as[Int]).toList    

          println("StudentList = "+StudentList)
            println("ClassList = "+ClassList)

      } catch {
        case e: Exception => println(e)

      }
    }
  }

我尝试过的代码提供了此Exception

 play.api.libs.json.JsResultException: JsResultException(errors:List((,List(Valid
ationError(error.expected.jsnumber,WrappedArray())))))

1 个答案:

答案 0 :(得分:2)

如果您使用与问题中使用的相同的“JSONObject”字符串,那么您的代码将按预期工作(尽管您不应使用Title Case,除非它是常量)。

您看到的错误是因为您期望某个数字的某个值实际上不是JsNumber。也许它是未定义的,也许它是一个字符串,也许是null或者甚至是一个数组。如果它是一个字符串,那么它可能仍然是一个Int,你只需要正确地解析它。您可以采取哪些措施来使代码更加灵活,并为您提供更好的错误指示,即手动处理JsValue。如果您查看下面的jsValueToInt方法,您可以看到如何获取ht JsValue并将其手动转换为Int。

// notice that the class_id: "10" is actually a String in this version
val json_req = Json.parse(
  """
    |{"student_records":[
    |{"student_id":9,"class_id":9},
    |{"student_id":10,"class_id":"10"},
    |{"student_id":11,"class_id":11}
    |]}
  """.stripMargin)

def jsValueToInt(jsval: JsValue): Int = jsval match {
  case JsNumber(x) => x.toInt
  case JsString(s) => s.toInt // may throw a NumberFormatException
  case anythingElse => throw new IllegalArgumentException(s"JsValue cannot be parsed to an Int: $anythingElse")
}

val studentList = (json_req \ "student_records" \\ "student_id").map(jsValueToInt).toList

val classList  = (json_req \ "student_records" \\ "class_id").map(jsValueToInt).toList