在我们回答这个问题之前,让我们首先修复 Scala 版本并使您的问题可重现。假设我们使用 Scala 2.11.8、sbt 0.13.11 和 spire-math 0.11.0。
然后裸 build.sbt 可能如下所示:
name := "test"
version := "1.0"
scalaVersion := "2.11.8"
libraryDependencies += "org.scala-lang" % "scala-compiler" % scalaVersion.value
libraryDependencies += "org.spire-math" %% "spire" % "0.11.0"
并且您的代码可以存储在Test.scala
文件中,如下所示:
import spire.implicits._
import scala.reflect.runtime.currentMirror
import scala.tools.reflect.ToolBox
object Test {
def main(args: Array[String]) = {
val toolBox = currentMirror.mkToolBox()
val src ="""
|(a: spire.math.Jet[Double],b: spire.math.Jet[Double]) => a + b
""".stripMargin
println (toolBox.eval(toolBox.parse(src)))
}
}
执行后sbt run
,您获得:
$ sbt run
[info] Running Test
[error] scala.tools.reflect.ToolBoxError: reflective compilation has failed:
[error] could not find implicit value for parameter f: spire.algebra.Field[Double]
因此,您的问题是,即使定义的隐式import spire.implicits._
包含在toolBox
实例化和eval
调用的范围内,为什么这会失败。
好吧,请注意,在您的用例中,您有两个独立调用编译器的阶段。第一阶段是编译,Test.scala
第二阶段是编译和执行(a: spire.math.Jet[Double],b: spire.math.Jet[Double]) => a + b
这两个阶段性不在同一运行时中运行。在第一阶段,将调用编译器来编译Test.scala
文件,在第二阶段,它将在 JVM 运行时内调用以编译src
字符串。结果,这两个阶段不会共享相同的范围,只是因为它们在不同的运行时执行。
这个问题的一个快速解决方案是在第二阶段的范围内“重新引入”隐含。换句话说,您import spire.implicits._
在尝试编译的字符串中添加:
import spire.implicits._
import scala.reflect.runtime.currentMirror
import scala.tools.reflect.ToolBox
object Test {
def main(args: Array[String]) = {
val toolBox = currentMirror.mkToolBox()
val src ="""
|import spire.implicits._
|(a: spire.math.Jet[Double],b: spire.math.Jet[Double]) => a + b
""".stripMargin
println (toolBox.eval(toolBox.parse(src)))
}
}
结果是:
$ sbt run
[info] Running Test
<function2>
[success] Total time: 5 s, completed Jul 13, 2016 1:48:59 AM
希望这能回答你的问题。如果您想深入了解 Scala 编译器如何在作用域中搜索隐式,那么这里就是一个好的开始。