最近用slick作为数据库访问框架,有些功能不好实现,用plain SQL,sql是根据查询条件生成的,所以参数也不是固定的个数。但StaticQuery[T, Entity]里面的T,默认只支持数据库支持的类型比如Int,Double等,以及对应的Optional,也可以支持Tuple1--Tuple22,只要里面的类型是数据库支持的类型。但因为我要传递的参数在编译期没法知道有多少个,所以只能用List[Int]来传递,结果报错说找不到对应的隐式转化。
[error] D:\xx.scala:49: could not
find implicit value for parameter pconv1: scala.slick.jdbc.SetParameter[List[Int]]
[error] val query = Q[List[Int], Entity] + sql
[error] ^
[error] one error found
[error] (compile:compile) Compilation failed
首先想到的是有没有办法把List[Int],转化成Tuple呢,仔细一想,发现不对,List[Int],里面包含参数是不固定的,但是TupleX,需要在编译期就指定,到底是几个参数。google一下,发现果然不行。
然后就想看看StaticQuery这个类具体做了什么,点进去看源码,发现它需要一个implicit的参数
object StaticQuery {
.............
def apply[P, R](implicit pconv1: SetParameter[P], rconv: GetResult[R]) = query[P,R]("")
............
}
然后继续看SetParameter,
trait SetParameter[-T] extends ((T, PositionedParameters) => Unit) { self =>
def applied(value: T): SetParameter[Unit] = new SetParameter[Unit] {
def apply(u: Unit, pp: PositionedParameters) {
self.apply(value, pp)
}
}
}
并且在object SetParameter里面定了了一堆刚说过的默认支持的参数类型,包括Int, Optional[Int], Tuple2[Int, Int]等,看了下实现
implicit object SetInt extends SetParameter[Int] { def apply(v: Int, pp: PositionedParameters) { pp.setInt(v) } }
很简单就想到了List[Int]的实现方法,于是在自己的类里面定义了一个List[Int]的隐式转化
implicit object SetListInt extends SetParameter[List[Int]] {
def apply(vList: List[Int], pp: PositionedParameters) {
for (v <- vList)
pp.setInt(v)
}
}
因为经常用到,所以放在BaseDao里面,搞定。
总结
以后遇到问题,首先想想是否可以转化为以后的实现方式(List[Int] -> TupleX[Int]);如果不行,Google、StackOverflow等查查有没有其他解决方法;最后不行,就只能自己看source code去掌握原理,自己实现了。