使用 Spray-json 解析一个简单的数组

Parsing a simple array with Spray-json

我正在尝试(但失败了)了解 spray-json 如何将 json 提要转换为对象。如果我有一个简单的键 -> 值 json 提要,那么它似乎工作正常,但我想要读取的数据位于如下列表中:

[{
    "name": "John",
    "age": "30"
},
{
    "name": "Tom",
    "age": "25"
}]

我的代码如下所示:

package jsontest

import spray.json._
import DefaultJsonProtocol._

object JsonFun {

  case class Person(name: String, age: String)
  case class FriendList(items: List[Person])

  object FriendsProtocol extends DefaultJsonProtocol {
    implicit val personFormat = jsonFormat2(Person)
    implicit val friendListFormat = jsonFormat1(FriendList)
  }

  def main(args: Array[String]): Unit = {

    import FriendsProtocol._

    val input = scala.io.Source.fromFile("test.json")("UTF-8").mkString.parseJson

    val friendList = input.convertTo[FriendList]

    println(friendList)
  }

}    

如果我更改我的测试文件,使它只有一个人不在数组中并且 运行 val friendList = input.convertTo[Person] 那么它可以工作并且所有内容都会解析但是一旦我尝试解析数组它失败并显示错误 Object expected in field 'items'

任何人都可以指出我做错的方向吗?

好吧,就像在花费数小时尝试使某些东西正常工作后将某些东西发布到 Whosebug 后立即采取的通常方式一样,我已经设法让它工作了。

FriendsProtocol 的正确实现是:

object FriendsProtocol extends DefaultJsonProtocol {
  implicit val personFormat = jsonFormat2(Person)
  implicit object friendListJsonFormat extends RootJsonFormat[FriendList] {
    def read(value: JsValue) = FriendList(value.convertTo[List[Person]])
    def write(f: FriendList) = ???
  } 
}

告诉 Spray 如何读/写(在我的例子中只是读)列表对象足以让它工作。

希望对其他人有所帮助!

为了使 Friend 数组更易于使用,请通过实施适当的 apply 和 length 方法来扩展 IndexedSeq[Person] 特征。这将允许标准 Scala 集合 API 方法,如 map、filter 和 sortBy 直接在 FriendsArray 实例本身上,而无需访问它包装的底层 Array[Person] 值。

case class Person(name: String, age: String)

// this case class allows special sequence trait in FriendArray class
// this will allow you to use .map .filter etc on FriendArray
case class FriendArray(items: Array[Person]) extends IndexedSeq[Person] {
    def apply(index: Int) = items(index)
    def length = items.length
}

object FriendsProtocol extends DefaultJsonProtocol {
  implicit val personFormat = jsonFormat2(Person)
  implicit object friendListJsonFormat extends RootJsonFormat[FriendArray] {
    def read(value: JsValue) = FriendArray(value.convertTo[Array[Person]])
    def write(f: FriendArray) = ???
  } 
}

import FriendsProtocol._

val input = jsonString.parseJson
val friends = input.convertTo[FriendArray]
friends.map(x => println(x.name))
println(friends.length)

这将打印:

John
Tom
2