(一)case class的定义
case class 是 Scala 中一种特殊的类,它用于创建不可变的数据容器。
语法如下:
case class ClassName(parameter1: Type1, parameter2: Type2,...)
(二)case class的特点
(1)不可变性
case class 创建的对象是不可变的,一旦创建,其属性值不能被修改。
(2)实例化可以省略new
普通的class 在实例化时,必须要写new的。
import scala.collection.mutable
object caseclass02 {
case class Book(var id: Int, var name: String) {
}
def main(args: Array[String]): Unit = {
val book1 = new Book(1, "西游记")
println(book1)
val book2 = new Book(1, "西游记")
println(book1 == book2)
// 定义一个set,它的类型是Book,它可以装入的都是book类型
val set2: mutable.Set[Book] = mutable.Set()
set2 += book1
set2 += book2
println(set2)
}
}
(3)自动重写方法:
toString, equals, hashCode, copy。
package caseclass
// case class: 样例类
// 1. 可以省略 new
// 2. 属性默认是不可变的。val 修饰
// 3. 它会自动去实现toString, equals, hashCode等方法
object caseclass03 {
case class Student (name:String, age:Int)
def main(args: Array[String]): Unit = {
// val st1 = new Student("小花", 18)
// 可以省略 new
val st1 = Student("小花", 18)
val st2 = Student("小花", 18)
// 属性默认是不可变的。val 修饰
// st1.name = "小花花"
println(st1)
println(st1 == st2)
}
}