1

我对 Scala 很陌生,并且在以下代码中遇到了一些未解决的问题:

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

      def show(e: Expr): String = e match {
        case Number(x) => x.toString
        case Sum(l, r) => show(l) + " + " + show(r)
      }

      show(Sum(Number(1), Number(44)))
    }

    trait Expr {
      def isNumber: Boolean
      def isSum: Boolean
      def numValue: Int
      def leftOp: Expr
      def rightOp: Expr
      def eval: Int = this match {
        case Number(n) => n
        case Sum(e1, e2) => e1.eval + e2.eval
      }
    }

    class Number(n: Int) extends Expr {
      override def isNumber: Boolean = true

      override def isSum: Boolean = false

      override def numValue: Int = n

      override def leftOp: Expr = throw new Error("Number.leftOp")

      override def rightOp: Expr = throw new Error("Number.rightOp")
    }

    class Sum(e1: Expr, e2: Expr) extends Expr {
      override def isNumber: Boolean = false

      override def isSum: Boolean = true

      override def numValue: Int = e1.eval + e2.eval

      override def leftOp: Expr = e1

      override def rightOp: Expr = e2
    }

我收到以下错误:

错误:对象编号不是案例类,也没有 unapply/unapplySeq 成员

错误:未找到:值总和

如何解决它们?提前致谢

4

1 回答 1

4

在 Scalacase class中,就像class带有额外的好东西 + 一些其他属性一样。

对于一个普通的班级,

class A(i: Int, s: String)

你不能像这样创建它的实例,

val a = A(5, "five")   // this will not work

您将不得不使用new来创建新实例。

val a = new A(5, "five")

现在让我们说我们有case class

case class B(i: Int, s: String)

我们可以像这样创建一个 B 的新实例,

val b = B(5, "five")

之所以这样,case class是因为case class有一个自动创建的伴随对象,它提供了几个实用程序,包括一个applyunapply方法。

所以,这个用法val b = B(5, "five")实际上是val b = B.apply(5, "five"). 而这里B并不是实际提供的方法class B而是同伴。object Bapply

类似地,Scala 模式匹配使用伴随对象提供的unapply( for SeqLike patterns) 方法。unapplySeq因此,普通class实例不适用于模式匹配。

假设您想定义 aclass而不是 acase class出于某种特定原因,但仍想将它们与模式匹配等一起使用,您可以自己为其伴随对象提供所需的方法。

class C(val i: Int, val s: String) {
}

object C {

  def apply(i: Int, s: String) = new C(i, s)

  def unapply(c: C) = Some((c.i, c.s))

}

// now you can use any of the following to create instances,

val c1 = new C(5, "five")

val c2 = C.apply(5, "five")

val c3 = C(5, "five")

// you can also use pattern matching,

c1 match {
  case C(i, s) => println(s"C with i = $i and s = $s")
}

c2 match {
  case C(i, s) => println(s"C with i = $i and s = $s")
} 

此外,由于您是学习 Scala 的新手,您应该阅读http://danielwestheide.com/scala/neophytes.html,这可能是任何 Scala 初学者的最佳资源。

于 2017-02-06T12:29:47.113 回答