-1
スカラ継承の検査私は誤解にぶつかります。
コードは次のとおりです。スカラサブクラスからスーパークラスオブジェクトへの代入
sealed trait List[+A] // `List` data type, parameterized on a type, `A`
case object Nil extends List[Nothing] // A `List` data constructor representing the empty list
case class Cons[+A](head: A, tail: List[A]) extends List[A]
object List { // `List` companion object. Contains functions for creating and working with lists.
def sum(ints: List[Int]): Int = ints match { // A function that uses pattern matching to add up a list of integers
case Nil => 0 // The sum of the empty list is 0.
case Cons(x,xs) => x + sum(xs) // The sum of a list starting with `x` is `x` plus the sum of the rest of the list.
}
def product(ds: List[Double]): Double = ds match {
case Nil => 1.0
case Cons(0.0, _) => 0.0
case Cons(x,xs) => x * product(xs)
}
def apply[A](as: A*): List[A] = // Variadic function syntax
if (as.isEmpty) Nil
else Cons(as.head, apply(as.tail: _*))
}
val l1 = List(1.0, 2.0, 3.0)
println(product(l1))
私の知る限り理解しList[+A]
とCons[+A]
関係はList[+A]
がCons[+A]
がList[+A]
のサブクラスである、スーパー「クラス」であるということです。
l1
は、Con[+A]
のインスタンスです。
l1
はproduct
メソッドに渡され、入力パラメータds
はサブクタCons
については何も知らないタイプList
を持ちます。
したがって、サブクラスオブジェクトのスーパークラスオブジェクトへの割り当てはどのように説明できますか?
'/スーパークラスオブジェクト/ /スーパークラス型/'のパラメータへ。 OOPの経験はありますか? –
サイドノート: 'Cons Cons(0.0、_)=> 0.0'はIEEE-754に反する。反例は '0.0 * Double.NaN'であり、これは' Double.NaN'と評価される。 – Jubobs
@ Victor Moroz、私はそう思った。しかし、特定の例が私にとってはっきりしていないので、私はここにいる。 –