3

一个简单的例子来说明这个问题:

trait WTF[W <: WTF[W]] {
  def get : Int
}

trait Zero extends WTF[Zero] {
  override def get : Int = 0
}
case object Zero extends Zero

final case class Box(inner : Int) extends WTF[Box] {
  override def get : Int = inner
}

def printWTF[W <: WTF[W]](w : W) = println(w.get)

printWTF(Box(-1))
printWTF(Zero)

Box没问题,但Zero会产生错误:

WTF.scala:22: error: inferred type arguments [Zero.type] do not conform to method printWTF's type parameter bounds [W <: WTF[W]]
  printWTF(Zero)
  ^
WTF.scala:22: error: type mismatch;
 found   : Zero.type
 required: W
  printWTF(Zero)
           ^
two errors found

如果我手动注释类型,它会编译:

printWTF[Zero](Zero)
printWTF(Zero : Zero)

第一行按预期工作。我经常遇到无法从参数中推断出类型参数的情况。例如def test[A](x : Int) : Unit。该A类型没有出现在参数签名中,因此您应该手动指定它。

但后者对我来说非常模糊。我刚刚添加了始终正确的类型转换,编译器奇迹般地学会了如何推断方法类型参数。但是Zero总是Zero类型,为什么编译器在没有我提示的情况下无法推断它?

4

1 回答 1

2

Case 对象Zero具有类型Zero.type并且是 的子类型WTF[Zero]。因此,当您调用printWTF(Zero)编译器推断W = Zero.typeZero.type <: WTF[Zero.type]为假时,编译失败。

另一方面,这个更复杂的签名应该可以工作:

def printWTF[W <: WTF[W], V <: W](w: V with WTF[W]) = println(w.get)

作为一个证明,这确实正确地推断了类型:

scala> def printWTF[W <: WTF[W], V <: W](w: V with WTF[W]): (V, W) = ???
printWTF: [W <: WTF[W], V <: W](w: V with WTF[W])(V, W)

scala> :type printWTF(Box(1))
(Box, Box)

scala> :type printWTF(Zero)
(Zero.type, Zero)
于 2017-02-11T21:35:00.803 回答