1.定义类:
class HelloWorld {
private var name = "leo"
def sayHello() { print("Hello, " + name) }
def getName = name
}
创建类的对象,调用其方法:
val helloWorld = new HelloWorld
helloWorld.sayHello() //也可以不加括号
print(helloWorld.getName) // 定义方法时不带括号,则调用方法时也不能带括号
2.getter与setter
a. 定义不带private的var field,此时scala生成的面向JVM的类时,会定义为private的name字段,并提供public的getter和setter方法
b. 而如果使用private修饰field,则生成的getter和setter也是private的
c. 如果定义val field,则只会生成getter方法
d. 如果不希望生成setter和getter方法,则将field声明为private[this]
例:
class Student {
var name = "leo"
}
// 调用getter和setter方法,分别叫做name和name_ =
val leo = new Student
print(leo.name)
leo.name = "leo1" //会调用name_=这个setter方法,注意=左右不能有空格
3.自定义getter与setter
如果只是希望拥有简单的getter和setter方法,那么就按照scala提供的语法规则,根据需求为field选择合适的修饰符就好:var、val、private、private[this]。
但是如果希望能够自己对getter与setter进行控制,则可以自定义getter与setter方法。
例:
class Student {
private var myName = "leo"
def name = "your name is " + myName //自定义getter
def name_=(newValue: String) { //自定义setter
print("you cannot edit your name!!!")
}
}
//调用
val leo = new Student
print(leo.name)
leo.name = "leo1" //会调用setter方法,name_=
- 仅暴露field的getter方法
如果不希望field有setter方法,则可以定义为val,但是此时就再也不能更改field的值了,因为val变量不能被更改。
如果希望能够仅仅暴露出一个getter方法,并且还能通过某些方法更改field的值,那么需要综合使用private以及自定义getter方法。
field是private的,则setter和getter都是private,对外界没有暴露;自己可以实现修改field值的方法;自己可以覆盖getter方法对外界暴露。
class Student {
private var myName = "leo"
def updateName(newName: String) {
if(newName == "leo1") myName = newName
else print("not accept this new name!!!")
}
def name = "your name is " + myName //自定义getter,对外暴露
}
5.private[this]
隔离级别最高,对象私有。
如果将field使用private来修饰,那么代表这个field是类私有的,在类的方法中,可以直接访问类的其他对象的private field。
如果不希望field被其他对象访问到,那么可以使用private[this],意味着对象私有的field,只有本对象内可以访问到。
6.辅助constructor
Scala中,可以给类定义多个辅助constructor,类似于java中的构造函数重载。
辅助constructor之间可以互相调用,而且必须第一行调用主constructor。
class Student {
private var name = ""
private var age = 0
def this(name: String) { //辅助构造函数
this()
this.name = name
}
def this(name: String, age: Int) { //辅助构造函数
this(name)
this.age = age
}
}
- 主constructor
Scala中,主constructor是与类名放在一起的,与java不同。而且类中,没有定义在任何方法或者是代码块之中的代码,就是主constructor的代码。
class Student(val name: String, val age: Int) {
println("your name is " + name + ", your age is " + age)
}
主constructor中还可以通过使用默认参数,来给参数默认的值,如下:
class Student(val name: String = "leo", val age: Int = 30) {
println("your name is " + name + ", your age is " + age)
}
如果主constrcutor传入的参数什么修饰都没有,比如name: String,那么如果类内部的方法使用到了这个变量,则它会被声明为private[this] name;否则,就只能被constructor代码使用而已,不会被声明为类的field。
- 内部类
Scala中,同样可以在类中定义内部类;但是与java不同的是,每个外部类的对象的内部类,都是不同的类。
import scala.collection.mutable.ArrayBuffer
class Class {
class Student(val name: String) {}
val students = new ArrayBuffer[Student]
def getStudent(name: String) = {
new Student(name)
}
}
val c1 = new Class
val s1 = c1.getStudent("leo")
c1.students += s1
val c2 = new Class
val s2 = c2.getStudent("leo")
c1.students += s2 //此处会报type mismatch,因为s2是c2.Student类型