我在scala工作表中有此示例代码。我不明白为什么我无法访问代码底部的功能。

object chapter5 {
  println("Welcome to the Scala worksheet")

  trait Stream2[+A] {
    def uncons: Option[(A, Stream2[A])]
    def isEmpty: Boolean = uncons.isEmpty
  }
  object Stream2 {

    def empty[A]: Stream2[A] =
      new Stream2[A] { def uncons = None }

    def cons[A](hd: => A, tl: => Stream2[A]): Stream2[A] =
      new Stream2[A] {
        lazy val uncons = Some((hd, tl))
      }

    def  apply[A](as: A*): Stream2[A] =
      if (as.isEmpty) empty
      else cons(as.head, apply(as.tail: _*))
  }

  val s = Stream2(1, 2, 3, 4, 5, 6, 7, 8, 9, 10)
    s.isEmpty //I can access to the function declared in the trait
    s.cons // error  // I can not access to the function declared in the object
}


另外,我需要编写toList方法。我应该在哪里写?如果无法访问方法,该如何测试?

最佳答案

cons不属于Stream2实例。它是Stream2对象的单例(静态)方法。因此,访问它的唯一方法是通过对象调用它:

Stream2.cons(2,s)


要访问实例上的方法,您必须将其添加到trait(因为它引用的是特征而不是最终创建的对象)。否则,您可以将其添加到单例中并通过它进行调用。

10-05 19:07