9

Slick,如何将查询映射到继承表模型?IE,

我有表 A、B、C A 是“父”表,B 和 C 是“子”表我想知道的是我应该如何使用 slick 对其进行建模,这样 A 将是抽象类型,而 B & C 具体类型,并且查询 A 中的一行将产生 B 或 C 对象

类似于 JPA 的InheritanceType.TABLE_PER_CLASS.

4

2 回答 2

10

我们需要做几件事。首先找到一种将层次结构映射到表的方法。在这种情况下,我使用的是存储类型的列。但是您也可以使用其他一些技巧。

trait Base {
  val a: Int
  val b: String
}

case class ChildOne(val a: Int, val b: String, val c: String) extends Base
case class ChildTwo(val a: Int, val b: String, val d: Int) extends Base

class MyTable extends Table[Base]("SOME_TABLE") {
  def a = column[Int]("a")
  def b = column[String]("b")
  def c = column[String]("c", O.Nullable)
  def d = column[Int]("d", O.Nullable)
  def e = column[String]("model_type")

  //mapping based on model type column
  def * = a ~ b ~ c.? ~ d.? ~ e <> ({ t => t match {
    case (a, b, Some(c), _, "ChildOne") => ChildOne(a, b, c)
    case (a, b, _, Some(d), "ChildTwo") => ChildTwo(a, b, d)
  }}, {
    case ChildOne(a, b, c) => Some((a, b, Some(c), None, "ChildOne"))
    case ChildTwo(a, b, d) => Some((a, b, None, Some(d), "ChildTwo"))
  })
}
} 

现在要确定特定的子类型,您可以执行以下操作:

Query(new MyTable).foreach { 
     case ChildOne(a, b, c) => //childone
     case ChildTwo(a, b, d) => childtwo
}
于 2013-07-18T15:50:07.053 回答
0

Slick 不直接支持这一点。不过,有些数据库可以帮助您进行继承,因此您应该能够获得接近预期效果的东西。

查看PostgreSQL 中的继承文档

于 2013-05-08T04:13:51.323 回答