我正在学习越来越多关于Scala和那个漂亮的游戏框架。但是有一些事情让我烦恼,我无法开始工作。
例如,我喜欢将Generics用于某种集合。但是我需要将它们存储在JSON中的数据库中。有一个很酷的自动转换的东西,但它不适用于泛型,我没有尝试过: - /
好的,具体而言,首先是代码:
case class InventorySlot(id: Long, item: Option[Item])
object InventorySlot {
implicit val fmt = Json.format[InventorySlot]
}
case class Inventory[T <: Item](slots: Vector[InventorySlot]) {
def length = slots.length
def items: Vector[T] = slots.map(slot => slot.item).flatten.asInstanceOf[Vector[T]]
def item(id: Long): Option[T] = {
slots.find(_.id == id) match {
case Some(slot: InventorySlot) =>
Some(slot.item.asInstanceOf[T])
case None =>
Logger.warn(s"slot with id $id not found")
None
}
}
}
object Inventory {
implicit val fmt = Json.format[Inventory]
}
项目是可以放入该库存的不同项目的基本抽象类。没关系。但有时我想要一个库存,只适用于ItemType A,我们称之为AItem
。
所以我想用这样的东西创建我的库存:
val myInventory = Inventory[AItem]("content of vector here")
当我致电myInventory.item(2)
时,我希望在第2个插槽中获取该项,它应该是AItem
类型的对象,而不仅仅是Item
。 (这就是我在这里使用泛型的原因)
显然,Inventory
的隐式格式不起作用。
Item
也可以使用所有特殊项目,我可以在下面发布代码,InventorySlot
也应该可以使用。
编译时的错误是:
Error:(34, 34) Play 2 Compiler:
C:\depot\mars\mainline\server\app\models\Test.scala:34: class Inventory takes type parameters
implicit val fmt = Json.format[Inventory]
^
我试着明确写出读写,比如
implicit val fmt = (
(__ \ "slots").format[Vector[InventorySlot]]
)(Inventory.apply, unlift(Inventory.unapply))
甚至没有在我的IDE中工作,我找不到问题。 我很迷惑。我不知道我的错误在哪里,或者我做错了什么,或者我错过了什么。
任何帮助将不胜感激。
我很无奈,我甚至考虑过为所有可能的库存类型做一个类,比如
case class AItemInventory(protected var slots: Vector[InventorySlot]) extends Inventory[AItem](slots)
object AItemInventory {
implicit val fmt = Json.format[AItemInventory]
}
这是有效的。没问题,一切都很好。所以......我不明白。如果它看起来完全相同,只是硬编码,为什么这个工作?
项目格式化程序,有效:
implicit val itemFormat = new Format[Item] {
override def reads(json: JsValue): JsResult[Item] = {
(json \ "itemType").as[ItemType] match {
case ItemType.AITEM => fmtAItem.reads(json)
}
}
override def writes(item: Item): JsValue = item match {
case subItem: AItem => fmtAItem.writes(subItem)
case _ => JsNumber(item.itemType.id)
}
}
答案 0 :(得分:3)
object Inventory {
implicit def fmt[T <: Item](implicit fmt: Format[T]): Format[Inventory[T]] = new Format[Inventory[T]] {
def reads(json: JsValue): Inventory[T] = new Inventory[T] (
(json \ "blah").as[String]
)
def writes(i: Inventory[T]) = JsObject(Seq(
"blah" -> JsString(i.blah)
))
}
}
来源:documentation解释了如何进行读写,我在这里所做的就是将这两者结合起来。