1

我正在使用 Play 2.2 在 Scala 中创建应用程序。我正在play-slick 0.5.0.8用作我的 MySQL 数据库连接器。我有以下应用程序控制器:

package controllers

import models._
import models.database._

import play.api._
import play.api.mvc._
import play.api.Play.current
import play.api.db.slick._

object Application extends Controller {
  // WORKS:
  def test = DBAction {
    implicit session => Ok(views.html.test(Cameras.findById(1)))
  }

  // DOES NOT WORK:
  def photo = Action {
    val p = PhotoFetcher.fetchRandomDisplayPhoto(someParametersBlah))
    Ok(views.html.photo(p))
  }
}

如您所见,testDBAction 可以正常工作,并且可以从数据库中获取照片。不幸的是,该photo操作不起作用。

PhotoFetcher.fetchRandomDisplayPhoto(blah)做了很多不同的事情。埋在其中的是对 的调用Cameras.findById(blah),它应该返回一个Camera对象(在testDBAction 中工作)。但是,使用此配置,我收到以下错误:

could not find implicit value for parameter s: slick.driver.MySQLDriver.simple.Session

我尝试将photoAction 变成 DBAction,如下所示:

def photo = DBAction {
  implicit session => {
    val p = PhotoFetcher.fetchRandomDisplayPhoto(someParametersBlah))
    Ok(views.html.photo(p))
  }
}

但这只会导致相同的缺失会话错误。就像 PhotoFetcher 不知道隐式会话一样。

我尝试过的另一件事是slick.session.Database.threadLocalSession在 my中导入PhotoFetcher,但这只会导致以下错误:

SQLException: No implicit session available; threadLocalSession can only be used within a withSession block

如果有任何帮助,这是我的Cameras对象的简化版本:

package models.database

import models.Format.Format
import scala.slick.driver.MySQLDriver.simple._

case class Camera(id: Long,
                  otherStuff: String)

trait CamerasComponent {
  val Cameras: Cameras

  class Cameras extends Table[Camera]("cameras") {
    def id          = column[Long]("id", O.PrimaryKey, O.AutoInc)
    def otherStuff  = column[String]("otherStuff", O.NotNull)

    def * = id ~ otherStuff <> (Camera.apply _, Camera.unapply _)

    val byId         = createFinderBy(_.id)
    val byOtherStuff = createFinderBy(_.otherStuff)
  }
}

object Cameras extends DAO {
  def insert(camera: Camera)(implicit s: Session) { Cameras.insert(camera) }
  def findById(id: Long)(implicit s: Session): Option[Camera] = Cameras.byId(id).firstOption
  def findByOtherStuff(otherStuff: String)(implicit s: Session): Option[Camera] = Cameras.byOtherStuff(model).firstOption
}

所以,好像我在某个地方被激怒了。现在,我只能直接从 Controller DBAction 访问我的 DAO 对象,而不是从某个不同的类内部。任何帮助,将不胜感激。谢谢!

4

1 回答 1

5

您的定义是否PhotoFetcher.fetchRandomDisplayPhoto.fetchRandomDisplayPhoto采用隐式会话?

 // PhotoFetcher
 def fetchRandomDisplayPhoto(args: Blah*)(implicit s: Session) = {
   // ...
   val maybeCam = Cameras.findById(blah) // <- sees the implicit session 
   // ...
 }

还是您依赖于threadLocalsessionin PhotoFetcher?(没有隐式会话参数fetchRandomDisplayPhoto)?

虽然 Slick 的 threadLocalSession 对于快速尝试东西很方便,但它可能会在以后导致混乱和失去清晰度。最好只(implicit s: Session)对调用 Slick 模型的所有方法使用显式参数列表。这也很好地与DBAction,让框架管理会话。

缺点是您必须(implicit s: Session)使用所有方法 - 有这样的解决方法: https ://github.com/freekh/play-slick/issues/20

Scala 并不冗长,而且非常适合重构——所以我建议你在遇到它时考虑跨过那座桥,并DBAction用于所有执行数据库操作的操作;给所有调用你的数据库模型的方法一个隐式会话,看看能给你多少里程。

于 2013-10-21T10:45:49.357 回答