在Scala中,特质(trait)是一种可以被类继承或混入的抽象机制。特质类似于Java中的接口,但比接口更强大,可以包含字段、方法实现以及抽象方法。
要实现一个特质,在类定义时使用extends关键字,然后使用with关键字加上特质的名称即可。例如:
trait Greet {
def greet(): Unit = {
println("Hello!")
}
}
class Person(name: String) extends Greet {
def sayHello(): Unit = {
greet()
println(s"My name is $name")
}
}
val person = new Person("Alice")
person.sayHello()
在上面的例子中,Greet是一个特质,Person类通过extends关键字继承了Greet特质,并实现了sayHello方法,在sayHello方法中调用了特质中的greet方法。
特质还可以作为混入(mixin)来扩展类的功能。例如:
trait Logger {
def log(message: String): Unit = {
println(s"Log: $message")
}
}
class Person(name: String) {
def sayHello(): Unit = {
println(s"Hello! My name is $name")
}
}
class LoggedPerson(name: String) extends Person(name) with Logger {
def sayHelloAndLog(): Unit = {
log("Saying hello")
sayHello()
}
}
val loggedPerson = new LoggedPerson("Bob")
loggedPerson.sayHelloAndLog()
在上面的例子中,Logger是一个特质,LoggedPerson类通过with关键字混入了Logger特质,从而拥有了Logger特质中定义的log方法。LoggedPerson类继承了Person类,并在sayHelloAndLog方法中调用了Logger特质中的log方法。