Kotlin 中的組合模式(Composite Pattern)是一種允許將對象組合成樹形結構來表示“部分-整體”的層次結構。組合模式使得客戶端對單個對象和復合對象的使用具有一致性。在 Kotlin 中,我們可以通過定義一個公共接口或抽象類來實現組合模式。
以下是一個簡單的 Kotlin 示例,演示了如何使用組合模式處理對象層次:
Component
,它將作為所有組件的基類:interface Component {
fun operation()
}
Leaf
,它實現了 Component
接口:class Leaf : Component {
override fun operation() {
println("Leaf operation")
}
}
Composite
,它也實現了 Component
接口,并包含一個 Component
類型的列表,用于存儲子組件:class Composite : Component {
private val children = mutableListOf<Component>()
fun add(child: Component) {
children.add(child)
}
fun remove(child: Component) {
children.remove(child)
}
override fun operation() {
println("Composite operation")
children.forEach { it.operation() }
}
}
fun main() {
val leaf1 = Leaf()
val leaf2 = Leaf()
val composite = Composite()
composite.add(leaf1)
composite.add(leaf2)
composite.operation() // 輸出 "Composite operation" 和 "Leaf operation"
}
在這個示例中,我們創建了一個簡單的對象層次結構,其中包含一個復合對象和兩個葉子對象。通過使用組合模式,我們可以輕松地添加、刪除和操作這些對象,而無需關心它們的具體類型。這使得客戶端代碼更加簡潔和易于維護。