Scala的case class和class有什么区别?

19 浏览
0 Comments

Scala的case class和class有什么区别?

我在Google中搜索了case classclass之间的区别。人们都提到了,如果要在类上进行模式匹配,使用case class。否则,使用class,并提到了一些额外的优点,如等于和哈希码覆盖。但这些是为什么应该使用case class而不是class的唯一原因吗?

我想在Scala中应该有一些非常重要的原因来支持这个特性。有什么解释或者有没有资源可以更多地了解Scala的case class

admin 更改状态以发布 2023年5月24日
0
0 Comments

从技术上讲,类和案例类之间没有区别,即使编译器在使用案例类时会进行一些优化。然而,案例类用于消除特定模式的样板代码,即实现代数数据类型

这些类型的一个非常简单的例子是树。例如,二叉树可以这样实现:

sealed abstract class Tree
case class Node(left: Tree, right: Tree) extends Tree
case class Leaf[A](value: A) extends Tree
case object EmptyLeaf extends Tree

这使我们可以进行以下操作:

// DSL-like assignment:
val treeA = Node(EmptyLeaf, Leaf(5))
val treeB = Node(Node(Leaf(2), Leaf(3)), Leaf(5))
// On Scala 2.8, modification through cloning:
val treeC = treeA.copy(left = treeB.left)
// Pretty printing:
println("Tree A: "+treeA)
println("Tree B: "+treeB)
println("Tree C: "+treeC)
// Comparison:
println("Tree A == Tree B: %s" format (treeA == treeB).toString)
println("Tree B == Tree C: %s" format (treeB == treeC).toString)
// Pattern matching:
treeA match {
  case Node(EmptyLeaf, right) => println("Can be reduced to "+right)
  case Node(left, EmptyLeaf) => println("Can be reduced to "+left)
  case _ => println(treeA+" cannot be reduced")
}
// Pattern matches can be safely done, because the compiler warns about
// non-exaustive matches:
def checkTree(t: Tree) = t match {
  case Node(EmptyLeaf, Node(left, right)) =>
  // case Node(EmptyLeaf, Leaf(el)) =>
  case Node(Node(left, right), EmptyLeaf) =>
  case Node(Leaf(el), EmptyLeaf) =>
  case Node(Node(l1, r1), Node(l2, r2)) =>
  case Node(Leaf(e1), Leaf(e2)) =>
  case Node(Node(left, right), Leaf(el)) =>
  case Node(Leaf(el), Node(left, right)) =>
  // case Node(EmptyLeaf, EmptyLeaf) =>
  case Leaf(el) =>
  case EmptyLeaf =>
}

请注意,树使用相同的语法进行构造、解构(通过模式匹配)和打印(减去空格)。

它们也可以与哈希映射或集合一起使用,因为它们具有有效的、稳定的hashCode。

0
0 Comments

Case 类可以被看作是纯的、不可变的数据持有对象,应该只依赖于它们的构造参数。

这个函数式的概念让我们可以

  • 使用紧凑的初始化语法 (Node(1, Leaf(2), None)))
  • 使用模式匹配分解它们
  • 隐含定义相等性比较

结合继承使用,Case 类用于模拟代数数据类型

如果对象在内部执行有状态计算或展示其他类型的复杂行为,则它应该是一个普通的类。

0