说明问题的简单示例:
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
类型,为什么编译器在没有我提示的情况下无法推断它?
Case 对象Zero
的类型为 Zero.type
,是 WTF[Zero]
的子类型。因此,当您调用printWTF(Zero)
编译器推断W = Zero.type
但Zero.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)