Kotlin抽象類能用于多態(tài)嗎

小樊
81
2024-11-05 09:13:05

是的,Kotlin 抽象類可以用于多態(tài)。在 Kotlin 中,多態(tài)是通過接口和抽象類實(shí)現(xiàn)的。抽象類可以包含抽象方法和非抽象方法,子類必須實(shí)現(xiàn)抽象方法。通過抽象類,我們可以定義一個(gè)通用的接口,然后讓不同的子類實(shí)現(xiàn)這個(gè)接口,從而實(shí)現(xiàn)多態(tài)。

下面是一個(gè)簡(jiǎn)單的例子:

abstract class Shape {
    abstract fun area(): Double
}

class Circle(val radius: Double) : Shape() {
    override fun area(): Double {
        return Math.PI * radius * radius
    }
}

class Rectangle(val width: Double, val height: Double) : Shape() {
    override fun area(): Double {
        return width * height
    }
}

fun printShapeArea(shape: Shape) {
    println("The area of the shape is: ${shape.area()}")
}

fun main() {
    val circle = Circle(5.0)
    val rectangle = Rectangle(4.0, 6.0)

    printShapeArea(circle) // 輸出:The area of the shape is: 78.53981633974483
    printShapeArea(rectangle) // 輸出:The area of the shape is: 24.0
}

在這個(gè)例子中,我們定義了一個(gè)抽象類 Shape,它包含一個(gè)抽象方法 area()。然后我們創(chuàng)建了兩個(gè)子類 CircleRectangle,它們分別實(shí)現(xiàn)了 area() 方法。最后,我們定義了一個(gè)函數(shù) printShapeArea,它接受一個(gè) Shape 類型的參數(shù),并調(diào)用其 area() 方法。在 main 函數(shù)中,我們創(chuàng)建了 CircleRectangle 的實(shí)例,并將它們傳遞給 printShapeArea 函數(shù),實(shí)現(xiàn)了多態(tài)。

0