4

TraversableOnce中,有一个sum方法只有在包含的类型是时才可用Numeric(否则它不会编译)。我想知道这是否可用于其他情况(以避免运行时检查)。

特别是我们有两个特征 A 和 B 的情况。我们希望有一个方法f,只有当对象继承 A 和 B 时才能使用但如果它只扩展其中一个,则不能。我不想再做一个trait AB extends A with Bf如果不是两个特征都被继承,我只想无法使用。

package com.example

trait Base
trait Foo extends Base {
  def g = println("foo bar " + toString)
}
trait Bar extends Base {
  /* If this is both Foo and Bar, I can do more */
  def f = {
    if (!this.isInstanceOf[Foo]) error("this is not an instance of Foo")
    this.asInstanceOf[Foo].g
  }
}
object Test {
  def main(args: Array[String]): Unit = {
    object ab extends Foo with Bar
    object ba extends Bar with Foo
    object b extends Bar
    ab.f
    ba.f
    // I don't want next line to compile:
    try { b.f } catch { case e: RuntimeException => println(e) }
  }
}

编辑:解决方案,感谢@Aaron Novstrup

trait Bar extends Base { self =>
  def f(implicit ev: self.type <:< Foo) = {
    //self.asInstanceOf[Foo].g // [1]
    ev(this).g // [2]
  }
}

现在在mainb.f不编译。好的

编辑 2:将第 [1] 行更改为 [2] 反映了@Aaron Novstrup 回答的变化

编辑 3:不使用self@Aaron Novstrup 在答案中的反映变化

trait Bar extends Base {
  /* If this is both Foo and Bar, I can do more */
  def f(implicit ev: this.type <:< Foo) = {
    ev(this).g
  }
}
4

2 回答 2

8

是的你可以:

trait A {
   def bar = println("I'm an A!")
}

trait B { 
   def foo(implicit ev: this.type <:< A) = { 
      ev(this).bar
      println("and a B!")
   }
}

evidence如果对象的静态类型(在调用站点)扩展,编译器将只能提供参数A

于 2010-12-10T01:12:23.270 回答
3

知道 sum 的签名是

def sum [B >: A] (implicit num: Numeric[B]) : B

您似乎假设数字类型扩展了Numeric,这是不正确的。实际上它们被隐式转换为Numeric,在Int的情况下,隐式使用的是scala.math.Numeric.IntIsIntegral,它定义了plustimes之类的操作。

因此,通过隐式提供所需操作的存在来实现对TraversableOnce [A].sum的A类型的限制。

这只是对 Numeric 和类型类的整体工作原理的快速解释。有关更多信息,请查看 math.Numeric.XisY、math.Integral 和 math.Fractional 的来源以及类型类的工作原理:implicit-tricks-type-class-patterntype-class-pattern-example

于 2010-12-10T01:29:19.443 回答