Kotlin 继承
Kotlin 继承(子类和父类)
在 Kotlin 中,可以从一个类继承另一个类的属性和函数。我们将“继承概念”分为两类
- 子类(子) - 从另一个类继承的类
- 父类(父) - 被继承的类
在下面的例子中,MyChildClass
(子类)继承了 MyParentClass
类(父类)的属性
示例
// Superclass
open class MyParentClass {
val x = 5
}
// Subclass
class MyChildClass: MyParentClass() {
fun myFunction() {
println(x) // x is now inherited from the superclass
}
}
// Create an object of MyChildClass and call myFunction
fun main() {
val myObj = MyChildClass()
myObj.myFunction()
}
自己尝试 »
示例说明
在父类/父类前面使用 open
关键字,使其成为其他类应该继承属性和函数的类。
要从一个类继承,请指定子类的名称,后跟冒号 :
,然后是父类的名称。
为什么以及何时使用“继承”?
- 它对于代码重用很有用:在创建新类时重用现有类的属性和函数。