完成" Scala"中的函数编程,我想知道为什么以下代码会丢失参数类型错误。
定义的是以下树数据结构:
sealed trait Tree[+A]
case class Leaf[A](value: A) extends Tree[A]
case class Branch[A](left: Tree[A], right: Tree[A]) extends Tree[A]
以下方法:
object Tree {
def fold[A,B](t: Tree[A])(z: A => B)(f: (B,B) => B): B = t match {
case Leaf(v) => z(v)
case Branch(l,r) => f(fold(l)(z)(f), fold(r)(z)(f)) }
def size2[A](t: Tree[A]): Int = fold(t)((_) => 1)(_ + _ + 1)
def maximum2(t: Tree[Int]): Int = fold(t)((a) => a)(_ max _)
def depth2[A](t: Tree[A]): Int = fold(t)((_) => 0)(1 + (_ max _))
}
方法 size2 和 maximum2 编译得很好,但 depth2 不会推断最后一个函数的类型。
编写方法如:
def depth2[A](t: Tree[A]): Int = fold(t)((_) => 0)((a,b) => 1 + (a max b))
让它编译得很好。
问:为什么Scala能够使用下划线表示法推断第一种方法的类型,但是第二种方法是什么?是什么让其他方法编译得很好?
感谢您的帮助。
scalac版本:2.11.4
答案 0 :(得分:1)
1 + (_ max _)
扩展为1 + ((a, b) => a max b)
,它将函数添加到1.如果指定了类型,则会出现另一个错误:
<console>:22: error: overloaded method value + with alternatives:
(x: Double)Double <and>
(x: Float)Float <and>
(x: Long)Long <and>
(x: Int)Int <and>
(x: Char)Int <and>
(x: Short)Int <and>
(x: Byte)Int <and>
(x: String)String
cannot be applied to ((Int, Int) => Int)
def depth2[A](t: Tree[A]): Int = fold(t)((_) => 0)(1 + ((_: Int) max (_: Int)))
正如您所注意到的,您需要明确地设置参数
(a,b) => 1 + (a max b)
或跳过parens
1 + _ max _
你实际上不能在这里做,因为它会像你说的那样工作
(a,b) => (1 + a) max b
答案 1 :(得分:0)
原来,删除第一种方法中的括号,删除任何编译错误,如下所示:
def depth2[A](t: Tree[A]): Int = fold(t)((_) => 0)((a,b) => 1 + a max b)
因此,似乎下划线表示法总是选择最接近推断类型的范围。