目录
- object
- 伴生对象
- 继承抽象类
- apply方法
- main方法
- 用 object 来实现枚举功能
object
- 相当于 class 的单个实例,通常在里面放一些静态的 field 或者 method,第一次调用 object 的方法时,就会执行 object 的 constructor,也就是 object 内部不在 method 中的代码,需要注意的是,object 不能定义接受参数的 constructor
- object 的 constructor 只会在其第一次被调用时执行一次,以后再调用就不会再次执行了
- object 通常用于单例模式的实现,或者放 class 的静态成员,比如工具方法 object,通常在里面放一些静态的 field 或者 method
object People {
private var mouthNum = 1
println("this People object!")
def getMouthNum = mouthNum
}
People.getMouthNum
执行程序之后可以看到,构造方法只被调用了一次。
伴生对象
- 如果一个程序中,如果有一个 class,还有一个与 class 同名的 object,那么就称这个 object 是 class 的伴生对象, class 是 object 的伴生类
- 伴生类和伴生对象必须存放在一个 .scala 文件之中
- 伴生类和伴生对象,最大的特点就在于,它们互相可以访问彼此的 private field
object People {
private val mouthNum = 1
def getMouthNum = mouthNum
}
class People(val name: String, val age: Int) {
def sayHello = println("Hi, " + name + ", I guess you are " + age + " years old!" + ", and you have " + People.mouthNum + " mounth.")
}
val people = new People("0mifang", 18)
// Hi, 0mifang, I guess you are 18 years old!, and you have 1 mounth.
people.sayHello
继承抽象类
- object 的功能其实和 class 类似,除了不能定义接受参数的 constructor 之外,object 也可以继承抽象类,并覆盖抽象类中的方法
abstract class Eat(var message: String) {
def eat(food: String): Unit
}
object EatImpl extends Eat("0mifang") {
override def eat(food: String) = {
println(message + " eat an " + name)
}
}
EatImpl.sayHello("ice cream")
apply方法
- 通常在伴生对象中实现 apply 方法,并在其中实现构造伴生类的对象的功能,而创建伴生类的对象时,通常不会使用 new Class 的方式,而是使用
Class()
的方式,隐式地调用伴生对象得 apply 方法,这样会让对象创建更加简洁
class Person(val name: String) //创建伴生类
object Person { //创建伴生对象
def apply(name: String) = new Person(name)
}
val p1 = new Person("0mifang1")
val p2 = Person("0mifang2")
main方法
- 需要使用命令行敲入
scalac
编译源文件然后再使用scala
执行 - Scala 中的 main 方法定义为
def main(args: Array[String])
,而且必须定义在 object 中
object Test {
def main(args: Array[String]) {
println("I'm learning the Scala!!!")
}
}
- 除了自己实现 main 方法之外,还可以继承 App Trait,然后将需要在 main 方法中运行的代码,直接作为 object 的 constructor 代码;而且用 args 可以接受传入的参数
- App Trait 的工作原理为:App Trait 继承自 DelayedInit Trait,scalac 命令进行编译时,会把继承 App Trait 的 object 的 constructor 代码都放到 DelayedInit Trait 的 delayedInit 方法中执行
object Test extends App {
if (args.length > 0) println("hello, " + args(0))
else println("Hello World!!!")
}
用 object 来实现枚举功能
- 需要用 object 继承 Enumeration 类,并且调用 Value 方法来初始化枚举值
object Color extends Enumeration {
val RED, BLUE, YELLOW, WHITE, BLACK = Value
}
Color.RED
- 还可以通过 Value 传入枚举值的 id 和 name,通过
.id
和.toString
可以获取; 还可以通过 id 和 name 来查找枚举值
object Color extends Enumeration {
val RED = Value(0, "red")
val BLUE = Value(1, "blue")
val YELLOW = Value(2, "yellow")
val WHITE = Value(3, "white")
val BLACK = Value(4, "black")
}
Color(0)
Color.withName("red")
- 使用枚举
object.values
可以遍历枚举值
for (ele <- Color.values) println(ele)