我需要将两个函数作为参数传递给scala函数。然后,该函数应对它们进行评估并从中获取一个数字,然后对其进行操作。此数字可以是Int,Double或任何其他数字类型。无论它使用什么类型,我都希望该功能能够正常工作。
下面的例子解释了这个问题。
import Numeric.Implicits._
class Arithmetic[T : Numeric](val A: Connector[T], val B: Connector[T]) {
val sum = new Connector({ A.value + B.value })
}
class Constant[T](var x: T) {
val value = new Connector({ x })
}
class Connector[T](f: => T) {
def value: T = f
override def toString = value.toString()
}
object Main extends App{
val n1 = new Constant(1)
// works
val n5 = new Constant(5)
val a = new Arithmetic( n1.value, n5.value )
println(a.sum)
// no works
val n55 = new Constant(5.5)
val b = new Arithmetic( n1.value, n55.value )
println(b.sum)
}
我也试过
class Arithmetic[T,R : Numeric](val A: Connector[T], val B: Connector[R]) {
和其他几种组合,但我最终得到了
error: could not find implicit value for parameter num: scala.math.Numeric[Any]
val sum = new Connector({ A.value + B.value })
答案 0 :(得分:4)
您看到的错误消息是因为Numeric[T].plus
只能用于添加相同类型 T
的两个值。
您的代码是在假设数字扩展自动发生的情况下编写的 - 在这种情况下,编译器不会知道有关类型的任何信息,除非存在Numeric[T]
实例。
如果您需要sum
为稳定值,则必须在构造函数中提供必要的类型信息,如下所示:
class Arithmetic[A : Numeric, R <% A, S <% A](val a: Connector[R], b: Connector[S]) {
val sum = new Connector[A]((a.value:A) + (b.value:A))
}
这要求类型R
和S
可以转换为某种类型A
,其中Numeric[A]
istance是已知的。
在创建实例时,您始终必须提供所有类型参数,因为它们无法推断。
如果您不需要sum
保持稳定,可以将课程更改为:
class Arithmetic[A,B](val a: Connector[A], val b: Connector[B]) {
// if A and B are the same types
def sum(implicit e: B =:= A, n: Numeric[A]): Connector[A] =
new Connector(n.plus(a.value, b.value))
// else widen to C
def wideSum[C](implicit f: A => C, g: B => C, n: Numeric[C]) =
new Connector(n.plus(a.value, b.value))
}
val a = new Connector(1)
val b = new Connector(2)
val c = new Connector(3.0)
val d = (new Arithmetic(a,b)).sum
// val e = (new Arithmetic(b,c)).sum // <-- does not compile
val e = (new Arithmetic(b,c)).wideSum[Double]
扩展时,您仍然需要提供类型信息。