抽象类和接口是面向对象的高级特性。
一、抽象类
类和其中的某些成员可以声明为abstract。抽象成员在本类中可以不用实现。
abstract class 抽象类名[(主构造函数)] [: 继承父类和实现接口]{......}
Kotlin中的类默认不可继承,但抽象类就是为继承设计的,因此即使不用open关键字修饰,抽象类也是可以被继承的。
使用abstract关键字修饰的抽象函数也可以不加open。
抽象类中的非抽象方法如果不用open修饰的话,不能被子类覆盖。
二、接口
Kotlin的接口与Java 8类似,既包含抽象方法的声明,也包含实现。
与抽象类不同的是,接口无法保存状态。接口可以有属性,但是必须声明为抽象或提供访问器实现。
使用interface关键字定义接口,允许方法有默认实现:
interface KotlinInterface{ var prop:Int fun bar() fun foo(){ //方法体 } }
2.1实现接口
一个类或者对象可以实现一个或多个接口:
class Child: KotlinInterface{ override var prop: Int get() = TODO("not implemented") //To change initializer of created properties use File | Settings | File Templates. set(value) {} override fun bar() { TODO("not implemented") //To change body of created functions use File | Settings | File Templates. } }
注意:
Kotlin接口不能有构造函数,Kotlin在定义接口时,接口名后是不能加主构造函数的;
Kotlin接口中函数可以有默认实现,也可以没有,区别只在于函数有没有函数体;
Kotlin接口允许存在抽象变量。
Kotlin接口的属性只能是抽象的。
2.2解决覆盖冲突
实现多个接口时,可能会遇到同一方法继承多个实现的问题。如下:
interface A{ fun foo(){ print("A") } fun bar() } interface B{ fun foo(){ print("B") } fun bar(){ print("bar") } }class C:A{ override fun bar() { print("bar") } }class D:A, B{ override fun foo() { super<A>.foo() super<B>.foo() } override fun bar() { super<B>.bar() } }
从A和B派生D,需要实现多个接口继承的所有方法,并指明D应该如何实现他们。