10

使用提升嵌入时,如何在Slick中的查询中“取消提升”值?我希望'get','toLong'或类似的东西可以解决问题,但没有这样的运气。

以下代码无法编译:

  val userById = for {
     uid <- Parameters[Long]
     u <- Users if u.id === uid
  } yield u

  val userFirstNameById = for {
     uid <- Parameters[Long]
     u <- userById(uid)
     ---------------^
     // type mismatch;  found   : scala.slick.lifted.Column[Long]  required: Long
  } yield u.name
4

1 回答 1

4

你不能,有两个原因:

1)val这发生在编译时,没有Long 价值uiduserById(uid)将 a 绑定Long uid到编译时生成的准备好的语句,然后.list,.first等调用查询。

2) 另一个问题是,一旦你Parameter对查询进行了化,组合就不再可能——这是一个可以追溯到 ScalaQuery 的限制。

您最好的选择是将Parameter化延迟到最终组合查询:

val forFooBars = for{
  f <- Foos
  b <- Bars if f.id is b.fooID
} yield(f,b)
val allByStatus = for{ id ~ active <- Parameters[(Long,Boolean)]
  (f,b) <- forFooBars if (f.id is id) && (b.active is active)
} yield(f,b)

def findAllByActive(id: Long, isActive: Boolean) = allByStatus(id, isActive).list

无论如何,在您的示例中,您也可以这样做:

val byID = Users.createFinderBy(_.id)

我知道让这种事情起作用的唯一方法是将查询包装val在 a 中def并传入一个运行时变量,这意味着 Slick 必须在每个请求上重新生成 sql,并且没有准备好的语句发送到底层 DBMS . 在某些情况下,您必须这样做,例如传入List(1,2,3)for inList

def whenNothingElseWorks(id: Long) = {
  val userFirstNameById = for {u <- userById(id.bind)} yield u.name
}
于 2013-01-31T14:03:50.050 回答