12

我想根据 Id 从用户那里查询一行。我有以下虚拟代码

case class User(
    id: Option[Int], 
    name: String
}

object Users extends Table[User]("user") {
  def id = column[Int]("id", O.PrimaryKey, O.AutoInc)
  def name = column[String]("name")
  def * = id ~ name <>(User, User.unapply _)

  def findById(userId: Int)(implicit session: Session): Option[User] = {
    val user = this.map { e => e }.where(u => u.id === userId).take(1)
    val usrList = user.list
    if (usrList.isEmpty) None
    else Some(usrList(0))
  }
}

在我看来,findById查询单个列是一种矫枉过正的做法,因为 Id 是标准主键。有谁知道更好的方法?请注意,我正在使用 Play!2.1.0

4

5 回答 5

19

headOptionSlick 3.*中的使用方法:

  def findById(userId: Int): Future[Option[User]] ={
    db.run(Users.filter(_.id === userId).result.headOption)
  }
于 2016-09-03T11:10:35.200 回答
6

您可以通过从 切换到list来从函数中删除两行firstOption。看起来像这样:

def findById(userId: Int)(implicit session: Session): Option[User] = {
  val user = this.map { e => e }.where(u => u.id === userId).take(1)
  user.firstOption
}

我相信您也会像这样进行查询:

def findById(userId: Int)(implicit session: Session): Option[User] = {
  val query = for{
    u <- Users if u.id === userId
  } yield u
  query.firstOption
}
于 2013-05-09T12:12:01.960 回答
3

firstOption是一条路,是的。

  val users: TableQuery[Users] = TableQuery[Users]

我们可以写

def get(id: Int): Option[User] = users.filter { _.id === id }.firstOption
于 2014-05-17T10:13:22.813 回答
0

A shorter answer.

  `def findById(userId: Int)(implicit session: Session): Option[User] = {
     User.filter(_.id === userId).firstOption
        }`
于 2015-02-17T14:28:28.213 回答
0
case class User(
    id: Option[Int], 
    name: String
}

object Users extends Table[User]("user") {
  def id = column[Int]("id", O.PrimaryKey, O.AutoInc)
  def name = column[String]("name")
  def * = id.? ~ name <>(User.apply _, User.unapply _)
  // .? in the above line for Option[]

  val byId = createFinderBy(_.id)
  def findById(id: Int)(implicit session: Session): Option[User] = user.byId(id).firstOption
于 2015-06-03T12:51:10.077 回答