我正在使用Play 2.2在Scala中创建一个应用程序。我使用play-slick 0.5.0.8
作为MySQL DB连接器。我有以下应用程序控制器:
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))
}
}
正如您所看到的,test
DBAction可以正常工作,并且能够从数据库中获取照片。不幸的是,photo
行动不起作用。
我的PhotoFetcher.fetchRandomDisplayPhoto(blah)
做了很多不同的事情。隐藏在其中的是对Cameras.findById(blah)
的调用,该调用应返回Camera
对象(在test
DBAction中有效)。但是,使用此配置,我收到以下错误:
could not find implicit value for parameter s: slick.driver.MySQLDriver.simple.Session
我尝试将photo
Action设置为DBAction,如下所示:
def photo = DBAction {
implicit session => {
val p = PhotoFetcher.fetchRandomDisplayPhoto(someParametersBlah))
Ok(views.html.photo(p))
}
}
但这只会导致相同的遗失会话错误。这就像PhotoFetcher不知道隐含会话。
我尝试过的另一件事是在slick.session.Database.threadLocalSession
中导入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对象,而不是从一些不同的类内部访问。任何帮助,将不胜感激。谢谢!
答案 0 :(得分:5)
您对PhotoFetcher.fetchRandomDisplayPhoto.fetchRandomDisplayPhoto
的定义是否采用隐式会话?
// PhotoFetcher
def fetchRandomDisplayPhoto(args: Blah*)(implicit s: Session) = {
// ...
val maybeCam = Cameras.findById(blah) // <- sees the implicit session
// ...
}
或者您是否依赖threadLocalsession
中的PhotoFetcher
? (fetchRandomDisplayPhoto
没有隐式会话参数)?
虽然Slick的threadLocalSession对于快速尝试一些东西很方便,但它可能会导致混乱和以后失去清晰度。对于调用Slick模型的所有方法,最好只使用显式(implicit s: Session)
参数列表。这也起作用
与DBAction
一起使用,让框架管理会话。
缺点是你必须在所有方法上都有(implicit s: Session)
- 那里
是这样的解决方法:
https://github.com/freekh/play-slick/issues/20
Scala并不详细,非常适合重构 - 所以我建议你思考
关于穿过那座桥时,请使用DBAction
进行所有操作
做数据库的东西;给出调用数据库模型的所有方法
隐式会话,并查看给你的里程数。